我问这个问题意识到我很可能会被禁止复制,但我无法:
我有一个函数A应该能够接受另一个函数B作为它的参数,但是我事先不能知道函数B的参数个数的问题:
function A(callback){
// wish to call the callback function here
}
function B(x){...};
function C(x, y, z){...};
A(B)
A(C(1,2,3))
答案 0 :(得分:0)
javascript中的每个非箭头函数都包含参数对象,它是函数中的局部变量,我们可以将无限数量的参数传递给javascript函数。您可以使用arguments对象来获取回调函数内部的回调函数的参数。因此,你不需要知道准确的参数,B函数是期望的。
function A(callback){
callback(1,2,3,4............,n arguments)
}
function B(){
console.log(arguments)
//iterate over arguments using length property if needed.
};
A(B)
第二个例子是我们需要传递参数以及来自A的回调函数。
function A(callback){
// Array containing all argument of A including callback function
//Use ES6 Array.from function to convert arguments object to array to use array functions
let argumentArray = Array.from(arguments);
// Splice the array from 1 to end to exclude the first argument of A function i.e. callback function B
let argumentArrayWithoutCallback = argumentArray.slice(1);
//Pass this array to callback function
callback(argumentArrayWithoutCallback)
}
function B(){
console.log(arguments)
//iterate over arguments using length property if needed.
};
A(B,1,2,3.......n)
有关参数对象的更多详细信息,请参阅https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/arguments