Logo

Programming-Idioms

  • JS
  • Python

Idiom #108 Determine if variable name is defined

Print the value of variable x, but only if x has been declared in this program.
This makes sense in some languages, not all of them. (Null values are not the point, rather the very existence of the variable.)

if 'x' in locals():
	print(x)

variable name must be quoted.
try:
    x
except NameError:
    print("does not exist")
try {
	console.log(x);
} catch (e) {
	if (!e instanceof ReferenceError) {
		throw e;
	}
}
if (typeof x !== 'undefined') {
    console.log(x);
}

However if x has previously been declared and set to undefined, this will not print x even though x has been declared.
import std.stdio;
static if (is(typeof(x = x.init)))
    writeln(x);

We test, at compile-time, if an assignExpression with x as lhs would compile, if so we use it.

This technic is sometimes used in template constraints, but rather to test if an operation would be accepted on an argument.

New implementation...
< >
programming-idioms.org