this指向是一个非常头疼的问题,也是 ES5中众多坑中的一个,在 ES6 中可能会极大避免 this 产生的错误,但是为了一些老代码的维护,最好还是了解一下 this 的指向和 call、apply、bind 三者的区别。
this 的指向
在 ES5 中,其实 this 的指向,始终坚持一个原理:this 永远指向最后调用它的那个对象。
apply ,call , bind的区别
call() 与apply()只有一个区别,就是 call()
方法接受的是一个参数列表,而 apply()
方法接受的是一个包含多个参数的数组。 call(); 传递参数类型 直接返回调用结果
1 2 3 4 5 6 7 8 9 10 11 12
| function Product(name, price) { this.name = name; this.price = price; }
function Food(name, price) { Product.call(this, name, price); this.category = 'food'; } console.log(new Food('cheese', 5).name); 复制代码
|
apply ():传递具体参数类型,第二个参数只能传递数组
1 2 3 4
| var num = [1,3,12,11,54]; Math.max.apply(window,num); console.log(Math.max.apply(null,num)); 复制代码
|
call() 传递引用类型,传递值,经常做父类继承,可以改变this的指向
bind()
方法创建一个新的函数,在 bind()
被调用时,这个新函数的 this
被指定为 bind()
的第一个参数,而其余参数将作为新函数的参数,供调用时使用。
1 2 3 4 5 6 7 8 9
| function title(){ setInterval(function(){ console.log('hello world'); },1000); } title.bind(this) title.bind(this)() 所以bind使用的场景就是当我们想要某一个事件等待某个时刻在开始执行的时候,就可以使用我们的bind方法
|
bind() 不会直接调用,需要手动调用
arr.forEach(function(value,index,self){})
不可以遍历DOM,不可以使用continue,break
forEach
本身不能遍历DOM,但是在通过call追加上了Array的数组方法之后就可以对DOM元素进行遍历,而for循环可以对任意的元素数值进行遍历
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58
| var arr = [1,32,43,22,12,45];
var bb = arr.filter(function(value,index,self){
return value>3;
})
console.log(bb); every()只有都为真,返回为真
var a = arr.every(function(value,index,self){
console.log(value,index);
});
console.log(a);
some()只要有一个为真,返回就为真
var b = arr.some(function(value,index,self){
return value > 0;
});
console.log(b);
var arr = [1,32,43,22,12,45];
var c = arr.reduce(function(prev,now,index,self){
console.log(prev,now);
return prev + now;
},0);
var c = arr.reduceRight(function(prev,now,index,self){
console.log(prev,now);
return prev + now;
},0);
console.log(c);
|