Logo

Programming-Idioms

  • Dart
  • Rust

Idiom #267 Pass string to argument that can be of any type

Declare an argument x to a procedure foo that can be of any type. If the type of the argument is a string, print it, otherwise print "Nothing."

Test by passing "Hello, world!" and 42 to the procedure.

use std::any::Any;
fn foo(x: &dyn Any) {
    if let Some(s) = x.downcast_ref::<String>() {
        println!("{}", s);
    } else {
        println!("Nothing")
    }
}

fn main() {
    foo(&"Hello, world!".to_owned());
    foo(&42);
}

Dynamic typing isn't idiomatic Rust.
foo(x) => print(x is String ? x : 'Nothing.');

foo('Hello, world!');
foo(42);

although Dart is statically typed, it also allows dynamic types like in this case.
(defn foo [x]
  (println (if (string? x) x "Nothing.")))

(foo "Hello, world!")
(foo 42)

New implementation...
< >
tkoenig