javascript 允许您使用调用、应用和绑定来更改函数的上下文(此值)。这些方法一开始可能看起来很棘手,但通过一些简单的示例和现实生活中的类比,您就会掌握它们的窍门。让我们来分解它们吧。
将调用视为一种从一个对象借用方法并将其与另一个对象一起使用的方法。
想象一下您有一个智能手机应用程序可以检查您的日程安排。您的朋友也有相同的应用程序,但尚未设置他们的日程安排。您可以暂时将您的应用程序配置借给您的朋友,以便他们可以了解它如何配合他们的日程安排。
const person1 = { firstname: 'john', lastname: 'doe', fullname: function() { console.log(this.firstname + ' ' + this.lastname); } }; const person2 = { firstname: 'jane', lastname: 'smith' }; person1.fullname.call(person2); // outputs: jane smith
这里,person1 有一个方法来打印他们的全名。使用call,person2可以借用这个方法并打印自己的全名。
立即学习“Java免费学习笔记(深入)”;
apply 与 call 类似,但它以数组形式接收参数。
想象一下您在一家餐厅点餐。您不必单独告诉服务员每件物品,而是将物品清单交给服务员。
function sum(a, b) { console.log(a + b); } sum.apply(null, [5, 10]); // outputs: 15
在此示例中,apply 使用以数组形式提供的参数 5 和 10 调用 sum 函数。
bind 创建一个新函数,在调用时,将其 this 值设置为提供的值。这就像将您的应用程序配置永久借给您的朋友,以便他们可以随时使用它。
假设您有一个仅适用于您的电视的特殊电视遥控器。您可以制作一个与您朋友的电视永久配合使用的复制遥控器。
const module = { x: 42, getx: function() { return this.x; } }; const retrievex = module.getx; console.log(retrievex()); // outputs: undefined (because 'this' is not module) const boundgetx = retrievex.bind(module); console.log(boundgetx()); // outputs: 42
在此示例中,bind 创建了一个新函数boundgetx,该函数始终使用 module 作为其 this 值。
可以使用call从其他对象借用方法。
const person = { name: 'alice', greet: function() { console.log('hello, ' + this.name); } }; const anotherperson = { name: 'bob' }; person.greet.call(anotherperson); // outputs: hello, bob
apply 对于将数组传递给 math.max 等函数非常有用。
const numbers = [5, 6, 2, 3, 7]; const max = math.max.apply(null, numbers); console.log(max); // outputs: 7
bind 可用于创建带有预设参数的函数。
function multiply(a, b) { return a * b; } const double = multiply.bind(null, 2); console.log(double(5)); // Outputs: 10
这里,bind 创建了一个新函数 double,其中 a 始终为 2,这样可以轻松地将任何数字加倍。
理解调用、应用和绑定可以帮助您控制 javascript 中函数的执行方式。它们允许您更改 this 值和预设参数,使您的代码更加灵活和可重用。通过掌握这些方法,你可以编写出更干净、更高效的 javascript 代码。