通过 apply()
方法,能够编写用于不同对象的方法。
apply()
方法与 call()
方法非常相似:
【举个栗子】person 的 fullName 方法被应用到 person1:
var person = {
fullName: function() {
return this.firstName + " " + this.lastName;
}
}
var person1 = {
firstName: "Bill",
lastName: "Gates",
}
person.fullName.apply(person1); // 将返回 "Bill Gates"
不同之处是:
call()
方法分别接受参数。
apply()
方法接受数组形式的参数。
如果要使用数组而不是参数列表,则 apply()
方法非常方便。
apply()
方法接受数组中的参数:
var person = {
fullName: function(city, country) {
return this.firstName + " " + this.lastName + "," + city + "," + country;
}
}
var person1 = {
firstName:"Bill",
lastName: "Gates"
}
person.fullName.apply(person1, ["Oslo", "Norway"]);
与
call()
方法对比:var person = { fullName: function(city, country) { return this.firstName + " " + this.lastName + "," + city + "," + country; } } var person1 = { firstName:"Bill", lastName: "Gates" } person.fullName.call(person1, "Oslo", "Norway");
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
可以使用 Math.max()
方法找到(数字列表中的)最大数字:
Math.max(1,2,3); // 会返回 3
由于 JavaScript 数组没有 max() 方法,因此可以应用 Math.max()
方法。
Math.max.apply(null, [1,2,3]); // 也会返回 3
妙啊
第一个参数(null)无关紧要
Math.max.apply(Math, [1,2,3]); // 也会返回 3
Math.max.apply(" ", [1,2,3]); // 也会返回 3
Math.max.apply(0, [1,2,3]); // 也会返回 3
在 JavaScript 严格模式下,如果 apply()
方法的第一个参数不是对象,则它将成为被调用函数的所有者(对象)。
在“非严格”模式下,它成为全局对象。