PHP中有func_num_args和func_get_args, JavaScript中也有类似的东西吗?


当前回答

ES6允许使用“…”符号指定函数参数的构造,例如

function testArgs (...args) {
 // Where you can test picking the first element
 console.log(args[0]); 
}

其他回答

在ES6中,你可以这样做:

函数foo (args…) { Let [a,b,…c] = args; console.log (a, b, c); } Foo (1, null,"x",true, undefined);

arguments是一个类似数组的对象(不是实际的数组)。例子函数…

function testArguments () // <-- notice no arguments specified
{
    console.log(arguments); // outputs the arguments to the console
    var htmlOutput = "";
    for (var i=0; i < arguments.length; i++) {
        htmlOutput += '<li>' + arguments[i] + '</li>';
    }
    document.write('<ul>' + htmlOutput + '</ul>');
}

试试吧……

testArguments("This", "is", "a", "test");  // outputs ["This","is","a","test"]
testArguments(1,2,3,4,5,6,7,8,9);          // outputs [1,2,3,4,5,6,7,8,9]

详情:https://developer.mozilla.org/en-US/docs/JavaScript/Reference/Functions_and_function_scope/arguments

arguments对象是存储函数参数的地方。

arguments对象的行为和看起来像一个数组,它基本上是,它只是没有数组的方法,例如:

Array。forEach (callback黑,thisArg铝);

阵列。(回调,thisArg文件夹)

Array。filter (callback黑,thisArg铝);

数组中。片(开始[结束])

数组中。indexOf (searchElement [, fromIndex])

我认为将arguments对象转换为真实数组的最好方法如下:

argumentsArray = [].slice.apply(arguments);

这将使它成为一个数组;

可重用:

function ArgumentsToArray(args) {
    return [].slice.apply(args);
}

(function() {
   args = ArgumentsToArray(arguments);

   args.forEach(function(value) {
      console.log('value ===', value);
   });

})('name', 1, {}, 'two', 3)

结果:

> value === name > value === 1 >值===对象{} > value === 2 > value === 3

对于现代Javascript或Typescript:

class Foo {
    reallyCoolMethodISwear(...args) { return args.length; }
}

function reallyCoolFunction(i, ...args) { return args[i]; }

const allHailTheLambda = (...args) => {
    return args.constructor == Array;
};

const x = new Foo().reallyCoolMethodISwear(0, 1, 2, 3, 4);
const y = reallyCoolFunction(3, 0, 1, 2, 3, 4, 5, 6);
const z = allHailTheLambda(43110, "world");

console.log(x, y, z); // 5 3 true

对于古老的Javascript:

使用参数。你可以像访问数组一样访问它。使用参数。参数个数的长度。

在ES6中,使用Array.from:

function foo()
  {
  foo.bar = Array.from(arguments);
  foo.baz = foo.bar.join();
  }

foo(1,2,3,4,5,6,7);
foo.bar // Array [1, 2, 3, 4, 5, 6, 7]
foo.baz // "1,2,3,4,5,6,7"

对于非es6代码,使用JSON。stringify和JSON.parse:

function foo()
  {
  foo.bar = JSON.stringify(arguments); 
  foo.baz = JSON.parse(foo.bar); 
  }

/* Atomic Data */
foo(1,2,3,4,5,6,7);
foo.bar // "{"0":1,"1":2,"2":3,"3":4,"4":5,"5":6,"6":7}"
foo.baz // [object Object]

/* Structured Data */
foo({1:2},[3,4],/5,6/,Date())
foo.bar //"{"0":{"1":2},"1":[3,4],"2":{},"3":"Tue Dec 17 2013 16:25:44 GMT-0800 (Pacific Standard Time)"}"
foo.baz // [object Object]

如果需要保存而不是字符串化,则使用内部结构化克隆算法。

如果传递了DOM节点,则在不相关的问题中使用XMLSerializer。

with (new XMLSerializer()) {serializeToString(document.documentElement) }

如果作为bookmarklet运行,则可能需要将每个结构化数据参数包装在JSON的Error构造函数中。Stringify以正常工作。

参考文献

结构克隆CommonJS模块 JS对象克隆 MDN: Array.from ()