我只是在javascript中尝试function.apply()
,我无法理解它如何解析我们传入的数组参数。例如,
var update = function(name, profession){
this.name = name;
this.profession = profession;
}
var p1 = {
name : "bond",
profession : "actor"
}
console.log(p1.name, p1.profession); //outputs bond actor
现在让我们使用apply()方法
更改p1的属性update.apply(p1, ["john", "developer"]);
第一个参数是this
指针的值,第二个参数是array
console.log(p1.name, p1.profession); //outputs john developer
函数update()
包含两个参数name和profession,但我只通过array
方法将一个["john", "developer"]
参数apply()
传递给它。我不明白我的update()
方法如何从传入的数组中正确捕获属性并相应地更新每个属性。
谢谢!
答案 0 :(得分:2)
apply
通过展开数组并将该数组的每个元素作为不同的参数传递来工作。这完全取决于它们在数组中出现的顺序。
示例:
function printThings(pre, a, b, c) {
var el = document.querySelector('pre'); // Put the text into an element
el.innerHTML += pre + '> 1: ' + a + '\n';
el.innerHTML += pre + '> 2: ' + b + '\n';
el.innerHTML += pre + '> 3: ' + c + '\n\n';
}
// Calling it normally
printThings('Normal', 'A', 'B', 'C');
// Call using apply
// Notice how the array is in the same order as when we called it normally
printThings.apply(null, ['Apply (1)', 'A', 'B', 'C']);
// Now we'll rearrange the arguments
printThings.apply(null, ['Apply (2)', 'C', 'A', 'B']);

<pre></pre>
&#13;
还值得一提的是传递给apply
的第一个论点。在前面的示例中,我传递了null
,因为我根本没有在函数内部使用this
。但是如果我是的呢?然后我可以将this
设置为作为第一个参数传递的值。
function printThings(pre) {
var el = document.querySelector('pre');
// Here, we expect "this" to be an object with a, b, and c properties
el.innerHTML += pre + '> A: ' + this.a + '\n';
el.innerHTML += pre + '> B: ' + this.b + '\n';
el.innerHTML += pre + '> C: ' + this.c + '\n\n';
}
// Passing in null defaults to using the global context
printThings.apply(null, ['Global']);
// Notice how they're all undefined since there are no a, b, or c properties on the global scope
// But now we'll pass it an object with some values
printThings.apply({
a: 'A',
b: 'B',
c: 'C'
}, ['Matching Values']);
// And just to drill the point home, here's an object with the right properties but different values
printThings.apply({
a: 'Here',
b: 'We',
c: 'Go'
}, ['Different']);
&#13;
<pre></pre>
&#13;
如何运作的具体细节取决于你在其中运行的JS引擎。