JavaScript - 函数A作为参数时,函数A中this的指向问题
- 本问题将引出ES6众多新特性中箭头函数的优点(
情况C ) - 在线测试:https://www.w3school.com.cn/tiy/t.asp?f=js_function_apply
一:情况A(this指向winodw对象 )
data:image/s3,"s3://crabby-images/684f2/684f22689c4d46cd9de00d8b164580bc8d9b478a" alt="在这里插入图片描述"
<!DOCTYPE html>
<html>
<body>
<h1>JavaScript函数A作为参数时,函数A中this的指向问题</h1>
<script>
function Person() {
console.log(this);
this.age = 0;
setInterval(function growUp() {
console.log(this);
this.age++;
}, 1000);
}
var person = new Person();
</script>
</body>
</html>
二:情况B(this指向当前对象 )
data:image/s3,"s3://crabby-images/4bd87/4bd8736dd4182e53234fcce52df23579a278a445" alt="在这里插入图片描述"
<!DOCTYPE html>
<html>
<body>
<h1>JavaScript函数A作为参数时,函数A中this的指向问题</h1>
<script>
function Person() {
console.log(this);
let self = this;
self.age = 0;
setInterval(function growUp() {
console.log(self);
self.age++;
}, 1000);
}
var person = new Person();
</script>
</body>
</html>
三:情况C(this指向当前对象,使用ES6箭头函数简写 )
data:image/s3,"s3://crabby-images/ef63e/ef63e823328fdc21d6432c3ead2445267c722edd" alt="在这里插入图片描述"
<!DOCTYPE html>
<html>
<body>
<h1>JavaScript函数A作为参数时,函数A中this的指向问题</h1>
<script>
function Person() {
console.log(this);
this.age = 0;
setInterval(()=>{
console.log(this);
this.age++;
}, 1000);
}
var person = new Person();
</script>
</body>
</html>
|