javascript中的this……简直了!仿佛每次见到都会变个样儿~上下文不同,是否严格模式,等等,this值都会随之变化。
全局环境
无论是否在严格模式下,全局环境中的this都是指代的全局对象window
var a='string';
console.log(this.a); // string
'use strict';
var a='string';
console.log(this.a); // string
函数上下文
当处于非严格模式时,在未通过调用对象来设置this值的情况下,this值默认为全局对象window。
function func(){
var a='string';
return this.a;
}
var a='string outside func';
func();// "string outside func"
当处于严格模式时,this将保持他进入执行上下文时的值,如果this未在执行的上下文中定义,那它将会默认为undefined。
function func(){
'use strict';
var a='string';
console.log(this.a);
}
var b= new func();// undefined
在严格模式下,可通过call或者apply函数来指定this所在上下文的值。
function func(){
'use strict';
var a='string';
console.log(this.a);
}
var obj={a:'string outside func'};
func.call(obj);// string outside func
bind方法
bind函数是在ES5中引入的,即Function.prototype.bind(),如下代码所示,在定义x时,会创建一个与func具有相同函数体和作用域的函数,并将其this值绑定在对象{a:"first"},最后赋给了x。但是,此时,bind函数只生效一次,以后即使有多次绑定,this都只会保持第一次的绑定值。
function func(){
return this.a;
}
var x = func.bind({a:"first"}); // this首次被固定到了传入的对象上
console.log(x()); // first
var y = x.bind({a:'second'}); // 相当于func.bind({a:"first"}).bind({a:'second'}),但是bind只生效一次,已被永久绑定到了对象{a: "first"}上。
console.log(y()); // first
var z = {a:37, f:func, x:x, y:y};
console.log(z.f(), z.x(), z.y());// 37 "first" "first", 执行z.f()时,其会调用func函数,此时this绑定到了z对象,即后文所说的‘对象中的this’,所以this.a值为37
var a='string';
var m={f:func};
console.log(m.f());// undefined
箭头函数
箭头函数中this被设置为它被创建时的上下文。
var a='string';
var func = () => this.a;
console.log(func());// string
var x={f:func, a:'another string'};
console.log(x.f());// string
对象中的this
当以对象里的方法的方式调用函数时,它们的 this 是调用该函数的对象。如,以下代码调用的是对象o里的h方法,h中的this就是调用h函数的o对象。
var o = {
prop: 37,
f: ()=> this.prop,
h: function(){return this.prop;},
i: this.prop,
};
var prop='string';
console.log(o.f()); // string , 对应于上文中提到的箭头函数中的this
console.log(o.h()); // 37
console.log(o.i); // 37
网友评论