I have found this in my code, probably someone has done prior to me. I am unable to get what exactly this line of code does. what will arguments[0] do here.
typeof(arguments[0])
Entire code is this:
var recommendedHeight = (typeof(arguments[0]) === "number") ? arguments[0] : null;
The problem is I always get recommendedHeight
as null
. any idea when this returns any other value ?
Every function in JavaScript automatically receives two additional parameters:
this
andarguments
. The value ofthis
depends on the invocation pattern, could be the global browser context (e.g., window object), function itself, or a user supplied value if you use.apply()
. Thearguments
parameter is an array-like object of all parameters passed into the function. For example if we defined the following function..And used it like so..
add(1, 4);
This would return 5 of course, and also show the arguments array in the console
[1, 4]
. What this allows you to do is pass and access more parameters than those defined by your function, powerful stuff. For instance..We would see in the console
[1, 4, "extra parameter 1", "extra parameter 2", "extra parameter n"]
. Now in our function we could access"extra parameter 1"
viaarguments[2]
.Your code checks the type of the first item in the arguments array (e.g., number, string, etc) and it does so using a ternary operator.
Expanding your code may make it more clear:
Hope that helps!