关于this的指向,是一个使人很头疼的问题。可是,你运气好,碰到了我。老夫这儿有本祖传秘籍,看懂这个,妈妈不再用担忧你的this指向不对啦!数组
归根结底,this指向就一句话:谁最终调用函数,this指向谁!!!函数
关于这点,老夫有三言相赠:this
① this指向的,永远只多是对象!
② this指向谁,永远不取决于this写在哪!而是取决于函数在哪调用。
③ this指向的对象,咱们称之为函数的上下文context,也叫函数的调用者。code
下面,请看具体状况。对象
① 经过函数名()直接调用:this指向windowblog
function func(){ console.log(this); } //① 经过函数名()直接调用:this指向window func(); // this--->window
② 经过对象.函数名()调用的:this指向这个对象get
function func(){ console.log(this); } //② 经过对象.函数名()调用的:this指向这个对象 // 狭义对象 var obj = { name:"obj", func1 :func }; obj.func1(); // this--->obj // 广义对象 document.getElementById("div").onclick = function(){ this.style.backgroundColor = "red"; }; // this--->div
③ 函数做为数组的一个元素,经过数组下标调用的:this指向这个数组回调函数
function func(){ console.log(this); } //③ 函数做为数组的一个元素,经过数组下标调用的:this指向这个数组 var arr = [func,1,2,3]; arr[0](); // this--->arr
④ 函数做为window内置函数的回调函数调用:this指向window( setInterval setTimeout 等)
io
function func(){ console.log(this); } //④ 函数做为window内置函数的回调函数调用:this指向window setTimeout(func,1000);// this--->window //setInterval(func,1000);
⑤ 函数做为构造函数,用new关键字调用时:this指向新new出的对象console
function func(){ console.log(this); } //⑤ 函数做为构造函数,用new关键字调用时:this指向新new出的对象 var obj = new func(); //this--->new出的新obj