定义:this是包含它的函数作为方法被调用时所属的对象。
说明:这句话有点咬嘴,但一个多余的字也没有,定义非常准确,我们可以分3部分来理解它!
1、包含它的函数。2、作为方法被调用时。3、所属的对象。
看例子:
function to_green(){
this.style.color="green"
}
to_green()
上面函数中的this指的是谁?
分析:包含this的函数是,to_green
该函数作为方法被调用了
该函数所属的对象是。。?我们知道默认情况下,都是window对象。
OK,this就是指的window对象了,to_green中执行语句也就变为,window.style.color="green"
这让window很上火,因为它并没有style这么个属性,所以该语句也就没什么作用。
我们在改一下。
window.load=function(){
var example=document.getElementById("example")
example.onclick=to_green
}
这时this又是什么呢?
我们知道通过赋值操作,example对象的onclick得到to_green的方法,那么包含this的函数就是onclick喽,
那么this就是example引用的html对象喽。
this的环境可以随着函数被赋值给不同的对象而改变!
下面是完整的例子:
<script type="text/javascript">
function to_green(){
this.style.color="green"
}
function init_page(){
var example=document.getElementById("example")
example.onclick=to_green
}
window.onload=init_page
</script>
<a href="#" id="example">点击变绿</a>
代表当前对象啊,js不是有document.getElementByID通过ID获取对象么,this就是获取当前对象,比如id为btn的按钮的onclick方法onclick="method(this)",这个this就是当前按钮对象,作用和document.getElementByID("btn")一样。
在一般函数方法中使用 this 指代全局对象
function test(){
this.x = 1
alert(this.x)
}
test() // 1
2.作为对象方法调用,this 指代上级对象
function test(){
alert(this.x)
}
var o = {}
o.x = 1
o.m = test
o.m()// 1
3.作为构造函数调用,this 指代new 出的对象
function test(){
this.x = 1
}
var o = new test()
alert(o.x)// 1
//运行结果为1。为了表明这时this不是全局对象,我对代码做一些改变:
var x = 2
function test(){
this.x = 1
}
var o = new test()
alert(x)//2
4.apply 调用 ,apply方法作用是改变函数的调用对象,此方法的第一个参数为改变后调用这个函数的对象,this指代第一个参数
var x = 0
function test(){
alert(this.x)
}
var o={}
o.x = 1
o.m = test
o.m.apply()//0
//apply()的参数为空时,默认调用全局对象。因此,这时的运行结果为0,证明this指的是全局对象。如果把最后一行代码修改为
o.m.apply(o)//1
摘自 pabitel's blog