现代浏览器中的JavaScript包含Array.forEach方法,可让您编写以下代码:
[1,2,3].foreach(function(num){ alert(num); }); // alerts 1, then 2, then 3
对于在Array原型上没有Array.forEach的浏览器,MDC提供的an implementation可以执行相同的操作:
if (!Array.prototype.forEach) {
Array.prototype.forEach = function(fun /*, thisp*/) {
var len = this.length >>> 0;
if (typeof fun != "function")
throw new TypeError();
var thisp = arguments[1];
for (var i = 0; i < len; i++) {
if (i in this)
fun.call(thisp, this[i], i, this);
}
};
}
为什么此实现在函数定义中使用/ *和* /?即为什么写为
function(fun /*, thisp*/)
而不是function(fun, thisp)
? 最佳答案
因为这是评论。function(fun /*, thisp*/)
与function(fun)
相同。函数头中没有第二个参数。
在函数的中间,您看到变量thisp
被声明,并分配了第二个参数的值。函数定义中的注释仅指出您可以使用两个参数调用该函数,尽管函数标头中未定义这两个参数。