Why Is Typeof's Result Different Than The Evaluated Result Of The Expression Passed In?
If two Objects added together equal NaN(not a number), which is technically of type number, then why does getting the type of two Objects added together result in 'string'? I will
Solution 1:
{} + {}
is an empty block ({}
) followed by a type conversion from object to number (+{}
). It basically reads as
{} // empty block (a statement)
; // empty statement (just for clarity)
+{}; // expression statement (unary plus, object literal -> conversion to number)
However if you use typeof ({} + {})
, then {} + {}
will be evaluated as expression in which case both {}
can only be object literals and the +
is the concatenation operator.
You can also just use the grouping operator to force the construct to be evaluated as expression:
({} + {}) // expression statement (string concatenation with two objects)
See also Why {} + {} is NaN only on the client side? Why not in Node.js? and other questions related to [javascript] "{} + {}"
.
Post a Comment for "Why Is Typeof's Result Different Than The Evaluated Result Of The Expression Passed In?"