It's safe to say that the this
keyword is probably one of the misunderstood parts of JavaScript. Admittedly, I used to throw the this
keyword around until my script worked and it confused the hell out of me (and still does many other JS developers) around the world. Only when I learned about lexical scope, how functions are invoked, scope context, a few context changing methods - I really understood it.
Before you dive into this article, here's a few very important points to takeaway and remember about the this
keyword:
- The
this
keyword's value has nothing to do with the function itself, how the function is called determines thethis
value - It can be dynamic, based on how the function is called
- You can change the
this
context through.call()
,.apply()
and.bind()
Default this
context
There are a few different ways the this
value changes, and as we know it's usually the call-site that creates the context.
Window Object, global scope
Let's take a quick example at how simply calling regular functions binds the this
value differently:
// define a function
var myFunction = function () {
console.log(this);
};
// call it
myFunction();
What can we expect the this
value to be? By default, this should always be the window
Object, which refers to the root - the global scope. So when we console.log(this);
from our function, as it's invoked by the window (simply just called), we should expect the this
value to be our window
Object:
// define a function
var myFunction = function () {
console.log(this); // [object Window]
};
// call it
myFunction();
Object literals
Inside Object literals, the this
value will always refer to it's own Object. Nice and simple to remember. That is good news when invoking our functions, and one of the reasons I adopt patterns such as the module pattern for organising my objects.
Here's how that might look:
// create an object
var myObject = {};
// create a method on our object
myObject.someMethod = function () {
console.log(this);
};
// call our method
myObject.someMethod();
Here, our window
Object didn't invoke the function - our Object did, so this
will refer to the Object that called it:
// create an object
var myObject = {};
// create a method on our object
myObject.someMethod = function () {
console.log(this); // myObject
};
// call our method
myObject.someMethod();
Prototypes and Constructors
The same applies with Constructors:
var myConstructor = function () {
this.someMethod = function () {
console.log(this);
};
};
var a = new myConstructor();
a.someMethod();
And we can add a Prototype Object as well:
var myConstructor = function () {
this.someMethod = function () {
console.log(this);
};
};
myConstructor.prototype = {
somePrototypeMethod: function () {
console.log(this);
}
};
var a = new myConstructor();
a.someMethod();
a.somePrototypeMethod();
Interestingly, in both cases the this
value will refer to the Constructor object, which will bemyConstructor
.
Events
When we bind events, the same rule applies, the this
value points to the owner. The owner in the following example would be the element.
// let's assume .elem is <div class="elem"></div>
var element = document.querySelector('.elem');
var someMethod = function () {
console.log(this);
};
element.addEventListener('click', someMethod, false);
Here, this
would refer to <div class="elem"></div>
.
Dynamic this
The second point I made in the intro paragraph was that this
is dynamic, which means the value could change. Here's a real simple example to show that:
// let's assume .elem is <div class="elem"></div>
var element = document.querySelector('.elem');
// our function
var someMethod = function () {
console.log(this);
};
// when clicked, `this` will become the element
element.addEventListener('click', someMethod, false); // <div>
// if we just invoke the function, `this` becomes the window object
someMethod(); // [object Window]
Changing this
context
There are often many reasons why we need to change the context of a function, and thankfully we have a few methods at our disposal, these being .call()
, .apply()
and .bind()
.
Using any of the above will allow you to change the context of a function, which in effect will change the this
value. You'll use this when you want this
to refer to something different than the scope it's in.
Using .call()
, .apply()
and .bind()
"Functions are first class Objects" you'll often hear, this means they can also have their own methods!
The .call()
method allows you to change the scope with a specific syntax ref:
.call(thisArg[, arg1[, arg2[, ...]]]);
Usage would look something like this:
someMethod.call(anotherScope, arg1, arg1);
You'll notice further arguments are all comma separated - this is the only difference between .call()
and.apply()
:
someMethod.call(anotherScope, arg1, arg1); // commas
someMethod.apply(anotherScope, [arg1, arg1]); // array
With any of the above, they immediately invoke the function. Here's an example:
var myFunction = function () {
console.log(this);
};
myFunction.call();
Without any arguments, the function is just invoked and this
will remain as the window
Object.
Here's a more practical usage, this script will always refer to the window
Object:
var numbers = [{
name: 'Mark'
},{
name: 'Tom'
},{
name: 'Travis'
}];
for (var i = 0; i < numbers.length; i++) {
console.log(this); // window
}
The forEach
method also has the same effect, it's a function so it creates new scope:
var numbers = [{
name: 'Mark'
},{
name: 'Tom'
},{
name: 'Travis'
}];
numbers.forEach(function () {
console.log(this); // window
});
We could change each iteration's scope to the current element's value inside a regular for
loop as well, and use this
to access object properties:
var numbers = [{
name: 'Mark'
},{
name: 'Tom'
},{
name: 'Travis'
}];
for (var i = 0; i < numbers.length; i++) {
(function () {
console.log(this.name); // Mark, Tom, Travis
}).call(numbers[i]);
}
This is especially extensible when passing around other Objects that you might want to run through the exact same functions.
forEach scoping
Not many developers using forEach
know that you can change the initial scope context via the second argument:
numbers.forEach(function () {
console.log(this); // this = Array [{ name: 'Mark' },{ name: 'Tom' },{ name: 'Travis' }]
}, numbers); // BOOM, scope change!
Of course the above example doesn't change the scope to how we want it, as it changes the functions scope for every iteration, not each individual one - though it has use cases for sure!
To get the ideal setup, we need:
var numbers = [{
name: 'Mark'
},{
name: 'Tom'
},{
name: 'Travis'
}];
numbers.forEach(function (item) {
(function () {
console.log(this.name); // Mark, Tom, Travis
}).call(item);
});
.bind()
Using .bind()
is an ECMAScript 5 addition to JavaScript, which means it's not supported in all browsers (but can be polyfilled so you're all good if you need it). Bind has the same effect as .call()
, but instead binds the function's context prior to being invoked, this is essential to understand the difference. Using .bind()
will notinvoke the function, it just "sets it up".
Here's a really quick example of how you'd setup the context for a function, I've used .bind()
to change the context of the function, which by default the this
value would be the window Object.
var obj = {};
var someMethod = function () {
console.log(this); // this = obj
}.bind(obj);
someMethod();
This is a really simple use case, they can also be used in event handlers as well to pass in some extra information without a needless anonymous function:
var obj = {};
var element = document.querySelector('.elem');
var someMethod = function () {
console.log(this);
};
element.addEventListener('click', someMethod.bind(obj), false); // bind
"Jumping scope"
I call this jumping scope, but essentially it's just some slang for accessing a lexical scope reference (also a bit easier to remember...).
There are many times when we need to access lexical scope. Lexical scope is where variables and functions are still accessible to us in parent scopes.
var obj = {};
obj.myMethod = function () {
console.log(this); // this = `obj`
};
obj.myMethod();
In the above scenario, this
binds perfectly, but what happens when we introduce another function. How many times have you encountered a scope challenge when using a function such as setTimeout
inside another function? It totally screws up any this
reference:
var obj = {};
obj.myMethod = function () {
console.log(this); // this = obj
setTimeout(function () {
console.log(this); // window object :O!!!
}, 100);
};
obj.myMethod();
So what happened there? As we know, functions create scope, and setTimeout
will be invoked by itself, defaulting to the window
Object, and thus making the this
value a bit strange inside that function.
Important note: this
and the arguments
Object are the only objects that don't follow the rules of lexical scope.
How can we fix it? There are a few options! If we're using .bind()
, it's an easy fix, note the usage on the end of the function:
var obj = {};
obj.myMethod = function () {
console.log(this); // this = obj
setTimeout(function () {
console.log(this); // this = obj
}.bind(this), 100); // .bind() #ftw
};
obj.myMethod();
We can also use the jumping scope trick, var that = this;
:
var obj = {};
obj.myMethod = function () {
var that = this;
console.log(this); // this = obj
setTimeout(function () {
console.log(that); // that (this) = obj
}, 100);
};
obj.myMethod();
We've cut the this
short and just simply pushed a reference of the scope into the new scope. It's kind of cheating, but works wonders for "jumping scope". With newcomers such as .bind()
, this technique is sometimes frowned upon if used and abused.
One thing I dislike about .bind()
is that you could end up with something like this:
var obj = {};
obj.myMethod = function () {
console.log(this);
setTimeout(function () {
console.log(this);
setTimeout(function () {
console.log(this);
setTimeout(function () {
console.log(this);
setTimeout(function () {
console.log(this);
}.bind(this), 100); // bind
}.bind(this), 100); // bind
}.bind(this), 100); // bind
}.bind(this), 100); // bind
};
obj.myMethod();
A tonne of .bind()
calls, which look totally stupid. Of course this is an exaggerated issue, but it can happen very easily when switching scopes. In my opinion this would be easier - it will also be tonnes quicker as we're saving lots of function calls:
var obj = {};
obj.myMethod = function () {
var that = this; // one declaration of that = this, no fn calls
console.log(this);
setTimeout(function () {
console.log(that);
setTimeout(function () {
console.log(that);
setTimeout(function () {
console.log(that);
setTimeout(function () {
console.log(that);
}, 100);
}, 100);
}, 100);
}, 100);
};
obj.myMethod();
Do what makes sense!
jQuery $(this)
Yes, the same applies, don't use $(this)
unless you actually know what it's doing. What it is doing is passing the normal this
value into a new jQuery Object, which will then inherit all of jQuery's prototypal methods (such as addClass), so you can instantly do this:
$('.elem').on('click', function () {
$(this).addClass('active');
});
Happy scoping ;)
Understanding the “this” keyword in JavaScript
“This” in JavaScript
相关推荐
JavaScript中的`this`关键字是编程过程中经常会遇到的一个关键概念,尤其在面向对象编程中起着至关重要的作用。`this`的值取决于它被调用时的上下文,而不是定义时的位置,这使得它有时会显得有些复杂。在这个深入...
在JavaScript编程语言中,`this`关键字是一个至关重要的概念,它常常引发初学者的困惑,因为它的值在不同的上下文中可能会有所不同。`this`关键字主要用来引用对象的上下文,或者说是当前执行环境中的对象。在本文中...
在JavaScript中,`this`关键字是一个经常被讨论的话题,因为它在不同的上下文中具有不同的含义。`this`关键字是动态绑定的,也称为运行期绑定,这意味着它会根据函数调用的方式和所在的上下文来改变其指向。这种动态...
JavaScript中的`this`关键字是一个非常重要的概念,它在编程中起着至关重要的作用,尤其是在对象方法的上下文中。`this`关键字的用法类似于自然语言中的代词,它用来引用当前执行上下文的对象,帮助开发者避免命名...
在JavaScript中,`this`关键字是一个非常重要的概念,它用于引用函数执行时的上下文对象。`this`的值取决于函数被调用的方式,而不是函数定义的位置。在不同的场景下,`this`的指向会发生变化,这使得它成为...
总结起来,理解JavaScript中的`this`关键字至关重要,因为它在不同情境下有不同的行为。在编写代码时,正确地理解和使用`this`可以帮助我们更好地控制代码的执行环境,避免安全问题,比如避免意外修改全局变量,确保...
首先,让我们了解JavaScript中的this关键字。在JavaScript中,this的指向不像其他一些面向对象的编程语言中那样固定,而是依赖于函数的调用方式。在传统的面向对象语言中,this关键字通常指代当前对象,但在...
JavaScript中的`this`关键字是一个非常核心的概念,它用于在函数执行时引用当前上下文的对象。在JavaScript中,`this`的值取决于函数被调用的方式,而不是函数定义的位置。理解`this`的工作原理对于深入掌握...
### JavaScript关键字、保留字及其属性详解 #### 一、JavaScript 关键字与保留字 JavaScript是一种广泛使用的脚本语言,用于...通过理解这些关键字、保留字以及内置对象和方法,你可以更有效地进行JavaScript编程。
对于JavaScript中的`this`关键字,还有更多细节和特殊案例需要理解和注意。例如,`this`在`setTimeout`或者`setInterval`中的行为与普通函数调用类似。另外,严格模式(`'use strict'`)对`this`的指向有更严格的...
这些关键字对于理解和编写JavaScript代码至关重要。随着JavaScript的发展,新的关键字和特性不断被引入到语言中,因此保持学习和更新知识是非常重要的。希望本篇文章能够帮助读者更好地掌握JavaScript的基础知识。
JavaScript中的`this`关键字是语言中的一个核心概念,它用于引用当前执行上下文中的对象。在不同的场景下,`this`的指向会有所不同,这使得理解`this`的关键点在于理解其上下文环境。以下是对四种常见`this`指向情况...
总之,深入理解JavaScript中的this关键字是提高编程技能不可或缺的一部分。通过掌握this在不同上下文中的行为和如何正确地控制this的绑定,开发者可以更有效地使用JavaScript编写出更加结构化和可重用的代码。
JavaScript 中的 `this` 关键字是一个非常重要的概念,它在不同上下文中有着不同的指向。在 JavaScript 中,`this` 的值取决于函数调用的方式,而不是函数声明的方式。以下是对 `this` 关键字在不同场景下工作的详细...
在JavaScript和jQuery的编程实践中,this关键字扮演着非常重要的角色,它是一个特殊的变量,指向函数执行时当前的上...希望本文对大家理解JavaScript和jQuery中this关键字的用法有所帮助,并能够提升大家的编程技能。
JavaScript中的`this`关键字是一个非常重要的概念,它用于在函数执行时引用当前上下文的对象。`this`的值取决于函数被调用的方式,这通常分为四种情况:纯粹的函数调用、作为对象方法的调用、作为构造函数调用以及...
总之,理解 `this` 关键字以及如何在 JavaScript 中实现类和继承对于任何前端开发者来说都是非常重要的技能。随着 JavaScript 生态系统的不断发展,这些基础知识将继续成为构建复杂应用的基础。
当一个函数创建后,一个关键字this就随之(在后台)创建,它链接到一个对象,而函数正是在这个对象中进行操作。换句话说,关键字this可在函数中使用,是对一个对象的引用,而函数正是该对象的属性或方法。 让我们来看...
根据给定的文件信息,以下是对...以上涵盖了文件中提到的大部分JavaScript知识点,涉及DOM操作、字符串处理、数据类型、流程控制、数学函数、日期对象等多个方面,对于理解和运用JavaScript进行Web开发具有重要意义。