// function的寫法 function fn(a, b){ return a+b; }
// 箭頭函數的寫法 let foo = (a, b) =>{ return a + b }
在function中,this指向的是調用該函數的對象;javascript
//使用function定義的函數 function foo(){ console.log(this); } var obj = { aa: foo }; foo(); //Window obj.aa() //obj { aa: foo }
而在箭頭函數中,this永遠指向定義函數的環境。java
//使用箭頭函數定義函數 var foo = () => { console.log(this) }; var obj = { aa:foo }; foo(); //Window obj.aa(); //Window
function Timer() { this.s1 = 0; this.s2 = 0; // 箭頭函數 setInterval(() => { this.s1++; console.log(this); }, 1000); // 這裏的this指向timer // 普通函數 setInterval(function () { console.log(this); this.s2++; // 這裏的this指向window的this }, 1000); } var timer = new Timer(); setTimeout(() => console.log('s1: ', timer.s1), 3100); setTimeout(() => console.log('s2: ', timer.s2), 3100); // s1: 3 // s2: 0
//使用function方法定義構造函數 function Person(name, age){ this.name = name; this.age = age; } var lenhart = new Person(lenhart, 25); console.log(lenhart); //{name: 'lenhart', age: 25}
//嘗試使用箭頭函數 var Person = (name, age) =>{ this.name = name; this.age = age; }; var lenhart = new Person('lenhart', 25); //Uncaught TypeError: Person is not a constructor
另外,因爲箭頭函數沒有本身的this,因此固然也就不能用call()、apply()、bind()這些方法去改變this的指向。es6
function存在變量提高,能夠定義在調用語句後;app
foo(); //123 function foo(){ console.log('123'); }
箭頭函數以字面量形式賦值,是不存在變量提高的;函數
arrowFn(); //Uncaught TypeError: arrowFn is not a function var arrowFn = () => { console.log('456'); };
console.log(f1); //function f1() {} console.log(f2); //undefined function f1() {} var f2 = function() {}