var name = "Morant"; functiongetMessage(){ console.log(this.name); } //这时调用的this指向的是window对象,(直接调用可以看成是兜底的对象调用的) getMessage();//Morant
1 2 3 4 5 6 7 8 9
var Morant = { name:"Morant", age:21, sayHello:function(){ console.log("My name is "+this.name+","+"I'm "+this.age+" years old" ); } } //这里的this指向的是Morant Morant.sayHello(); //My name is Morant,I'm 21 years old
var Morant = { name:"Morant", age:21, sayHello:function(){ console.log("My name is "+this.name+","+"I'm "+this.age+" years old" ); } }
var Boom = { name:"Boom", age:20 }
Morant.sayHello(); //My name is Morant,I'm 21 years old
//将Morant调用方法的this指向从Morant指向Boom,进而使用Morant的方法输出Boom的信息 Morant.sayHello.call(Boom); //My name is Boom,I'm 20 years old Morant.sayHello.apply(Boom); //My name is Boom,I'm 20 years old
Morant.sayHello.bind(Boom)();//My name is Boom,I'm 20 years old (bind()返回的是一个新的函数)
(三)、方法的参数差别
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18
var Morant = { name:"Morant", age:21, sayHello:function(fm,t){ console.log("My name is "+this.name+","+"I'm from "+fm+" to "+t); } }
var Boom = { name:"Boom", age:20 }
Morant.sayHello("河南","北京"); //My name is Morant,I'm from 河南 to 北京
Morant.sayHello.call(Boom,"西班牙","比利时"); //My name is Boom,I'm from 西班牙 to 比利时 Morant.sayHello.apply(Boom,["西班牙","比利时"]);// My name is Boom,I'm from 西班牙 to 比利时(只接收两个参数) Morant.sayHello.bind(Boom,"西班牙","比利时")();// My name is Boom,I'm from 西班牙 to 比利时