Be the first user to complete this post
|
Add to List |
Getting the parameters and arguments of a javascript function
If you're reading this post, I assume you have a reference to a function in javascript and you want to find out know how many arguments it takes.
Turns out every function has a length
property that represents the number of parameters defined as per its function defintion.
Here's a simple example
function barOne() {}
function barTwo(arg) {}
function foo(f) {
if (
typeof f === 'function' &&
f.length > 0 // Here's your secret sauce
) {
console.log('Passed function defines some parameters');
} else {
console.log('Passed function does not define any parameters');
}
}
foo(barOne);
foo(barTwo);
describe
and it
blocks in mocha behave synchronously when the function passed takes a done
callback as an argument.
NOTE: This is not to be confused with the arguments
variable within a function. The arguments variable is local to the function scope. Its an array like object that represents the actual number of arguments the function was invoked with. It may or may not be equal to the number of arguments as per function definition.
Lets take another example to demonstrate the difference
function barOne() { // No arguments as per declaration
console.log(arguments.length);
}
function barTwo(arg1) { // 1 argument as per declaration
console.log(arguments.length);
}
console.log(barOne.length); // Prints 0
barOne(); // Prints 0
barOne('hello') // Prints 1
barOne('hello', 'world') // Prints 2
console.log(barTwo.length); // Prints 1
barTwo(); // Prints 0
barTwo('hello') // Prints 1
barTwo('hello', 'world') // Prints 2
Also Read:
- Why use javascript strict mode
- JavaScript Promises - Visualized
- simple css reset
- Progressive enhancement vs Graceful degradation
- Getting started with es6 iterators and iterables