《javascript中this_javascript中this的含义》
在JavaScript编程中,this
关键字是一个常见且容易让人困惑的概念。解决对this
理解混乱的方法是深入学习它在不同上下文中的指向规则,并通过实际代码示例来加深理解。
一、普通函数中的this
当this
出现在普通函数中时,默认情况下(非严格模式下),this
指向全局对象,在浏览器环境中就是window
对象。例如:
js
function sayName(){
console.log(this);
}
sayName(); // 输出Window {postMessage: ƒ, blur: ƒ, focus: ƒ, close: ƒ, parent: Window, …}
如果是在严格模式下,此时this
为undefined
。
二、作为对象方法中的this
当函数作为对象的方法被调用时,this
指向该对象。如:
js
const obj = {
name : "小明",
sayName : function(){
console.log(this.name);
}
}
obj.sayName(); // 输出小明
三、构造函数中的this
使用构造函数创建对象时,this
指向新创建的对象实例。
js
function Person(name){
this.name = name;
this.sayName = function(){
console.log(this.name);
}
}
const person1 = new Person("小红");
person1.sayName(); // 输出小红
四、箭头函数中的this
箭头函数没有自己的this
,它的this
是从外层作用域继承来的。比如:
js
const obj2 = {
name : "小亮",
showName : ()=>{
console.log(this); // 如果在浏览器环境,这里的this是window
}
}
obj2.showName();
要正确理解this
,还需要多做练习,在不同的场景下尝试编写代码,根据上述规则分析this
的指向,从而写出更加准确可靠的JavaScript代码。