這篇文章主要介紹了ECMAScript5(ES5)中bind方法使用小結,bind和call以及apply一樣,都是可以改變上下文的this指向的,需要的朋友可以參考下
			一直以來對和this有關的東西模糊不清,譬如call、apply等等。這次看到一個和bind有關的筆試題,故記此文以備忘。
			  bind和call以及apply一樣,都是可以改變上下文的this指向的。不同的是,call和apply一樣,直接引用在方法上,而bind綁定this后返回一個方法,但內部核心還是apply。
			直接看例子:
			 
			復制代碼代碼如下:
			
		var obj = {
		  a: 1,
		  b: 2,
		  getCount: function(c, d) {
		    return this.a + this.b + c + d;
		  }
		};
		 
		window.a = window.b = 0;
		console.log(obj.getCount(3, 4));  // 10
		var func = obj.getCount;
		console.log(func(3, 4));  // 7
			 
			為何會這樣?因為func在上下文中的this是window!bind的存在正是為了改變this指向獲取想要的值:
			 
			復制代碼代碼如下:
			
		var obj = {
		  a: 1,
		  b: 2,
		  getCount: function(c, d) {
		    return this.a + this.b + c + d;
		  }
		};
		 
		window.a = window.b = 0;
		var func = obj.getCount.bind(obj);
		console.log(func(3, 4));  // 10
			 
			  bind是function的一個函數擴展方法,bind以后代碼重新綁定了func內部的this指向(obj),但是不兼容ie6~8,兼容代碼如下:
			 
			復制代碼代碼如下:
			
		var obj = {
		  a: 1,
		  b: 2,
		  getCount: function(c, d) {
		    return this.a + this.b + c + d;
		  }
		};
		 
		Function.prototype.bind = Function.prototype.bind || function(context) {
		  var that = this;
		  return function() {
		    // console.log(arguments); // console [3,4] if ie<6-8>
		    return that.apply(context, arguments);
		 
		  }
		}
		window.a = window.b = 0;
		var func = obj.getCount.bind(obj);
		console.log(func(3, 4));  // 10
			 
			  其實在我看來bind的核心是返回一個未執行的方法,如果直接使用apply或者call:
			復制代碼代碼如下:
			
		var ans = obj.getCount.apply(obj, [3, 4]);
		console.log(ans); // 10
		  無法使用簡寫的func函數構造,所以用bind傳遞this指向,再返回一個未執行的方法,實現方式相當巧妙。