this 永远指向当前函数的主人,在构造函数中 this 指向新创建的对象,说明构造函数的主人是新创建的对象。但是有以下两种场景会引起 this 指向的混乱:
加了定时器
new 去创建对象的时候,this 指向新创建的对象也就是 a1,当我们调用 a1.show() 的时候输出 10。
function Aaa(){this.a = 10;}
Aaa.prototype.show = function(){alert(this.a);
}
var a1 = new Aaa();
a1.show();//10
但是当我们在构造函数中添加一个定时器,让它 4 秒后调用 this.show,输出 undefined。
function Aaa(){
this.a = 10;
setInterval(this.show,4000);
}
Aaa.prototype.show = function(){alert(this.a);
}
var a1 = new Aaa();
a1.show();
我们在原型方法上打印 this,发现 4 秒之后,this 指向的是当前窗口 [object Window]
,this.show 本来是 a1 的方法,但是把 this.show 这个函数当参数,传给定时器后 this 指向了 window,函数的主人变成了 window。
function Aaa(){
this.a = 10;
setInterval(this.show,4000);
}
Aaa.prototype.show = function(){alert(this);
}
var a1 = new Aaa();
a1.show();
为了避免这种情况,我们在给定时器传参之前,将 this 赋值给一个新的变量_this,将 this 存储一下。现在我们再执行 a1.show() 这个方法,4 秒之后打印的还是 10,这样就不会引起指向混乱的问题。
function Aaa(){
this.a = 10;
// 起一个变量,将 this 存储一下
var _this = this;
/*
把 this.show 这个函数,当参数传给定时器。*/
setInterval(function(){_this.show();
},4000);
}
Aaa.prototype.show = function(){alert(this.a);//10
}
var a1 = new Aaa();
a1.show();//10
事件绑定
现在创建一个 Bbb 的构造函数,通过 new 生成一个 b1 对象,调用 b1.show() 方法输出 20。
window.onload = function(){function Bbb(){this.b = 20;}
Bbb.prototype.show = function(){alert(this.b);
}
var b1 = new Bbb();
b1.show();//20
在页面中添加一个 button,把方法放在 window.onload 中,获取按钮,给按钮添加点击事件,将 this.show 绑定在按钮身上。当点击按钮的时候,执行 this.show 函数,输出值为 undefined。
<head>
<meta charset="UTF-8">
<title>Document</title>
<script>
window.onload = function(){function Bbb(){
this.b = 20;
var oBtn = document.getElementById("btn1");
oBtn.onclick = this.show();//undefined}
Bbb.prototype.show = function(){alert(this.b);
}
var b1 = new Bbb();
b1.show();//20}
</script>
</head>
<body>
<button id = "btn1"> 按钮 </button>
</body>
我们还是在原型方法上输出 this,页面加载完成的时候 this 指向当前对象 [object Object]
,但是点击按钮之后 this 指向 Button[object HTMLButtonElement]
。
Bbb.prototype.show = function(){alert(this);
}
添加定时器是将 this.show 作为参数传递,事件绑定是将 this.show 作为值赋给 Button,现在我们还是将 this 存储在_this 中,然后给 Button 绑定事件的时候将方法写在 function 中,这样 this 指向的还是原来的对象。
window.onload = function(){function Bbb(){
this.b = 20;
var _this = this;
var oBtn = document.getElementById("btn1");
/*
将 this.show 赋值给按钮的点击
*/
oBtn.onclick = function(){_this.show()
}
}
Bbb.prototype.show = function(){alert(this.b);
}
var b1 = new Bbb();
b1.show();//20