Be concise.
Be useful.
All contributions dictatorially edited by webmasters to match personal tastes.
Please do not paste any copyright violating material.
Please try to avoid dependencies to third-party libraries and frameworks.
(defn foo [x]
(println (if (string? x) x "Nothing.")))
(foo "Hello, world!")
(foo 42)
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.
program main
call foo("Hello, world!")
call foo(42)
contains
subroutine foo(x)
class(*), intent(in) :: x
select type(x)
type is (character(len=*))
write (*,'(A)') x
class default
write (*,'(A)') "Nothing."
end select
end subroutine foo
end program main
function foo(x) {
console.log(typeof x == 'string' ? x : 'Nothing.')
}
foo('Hello, world!')
foo(42)
public static void main(String[] args) {
foo("Hello, world!");
foo(42);
}
private static void foo(Object x) {
if (x instanceof String) {
System.out.println(x);
} else {
System.out.println("Nothing.");
}
}
<T> void foo(T x) {
if (x instanceof String) out.println(x);
else out.println("Nothing.");
}
interface F<T> { void set(T x); }
F<Object> foo = x -> {
if (x instanceof String) out.println(x);
else out.println("Nothing.");
};
foo.set("Hello, world!");
foo.set(42);
sub foo {
my ($x) = @_;
return 'Nothing' if ref $x ne '' or looks_like_number($x);
return $x;
}
$\ = "\n"; # print with newline
say foo( [] );
say foo( 42 );
say foo( 'Hello World' );
perl has rather loose typing, so about the best you can do is first determine if the argument is a reference, and if not then it is a scalar and likely a string. The string might one that perl will recognize as a number, so to eliminate that possibility we use the looks_like_a_number() test from Scalar::Utils.
sub foo {
my ($s, $x) = @_;
return 'is undefined' if not defined $x;
return 'is a reference' if ref $x ne '';
return 'is a number' if looks_like_number $s;
return 'is a string';
}
This is not exactly what was called for, but it is more in keeping with what makes sense in a dynamically typed language like perl and covers most uses. See the demo for a more comprehensive function.
def foo(x):
if isinstance(x, str):
print(x)
else:
print('Nothing.')
return
foo('Hello, world!')
foo(42)
foo = lambda x: \
print(x if type(x) is str else 'Nothing.')
foo('Hello, world!')
foo(42)
def foo(x)
puts x.class == String ? x : "Nothing"
end
foo("Hello, world")
foo(42)
(define (foo x)
(displayln
(if (string? x)
x
"Nothing")))
(foo "Hello, world!")
(foo 42)
if evaluates to a result.