首頁  >  文章  >  web前端  >  ES6箭頭函數與function有什麼不同?

ES6箭頭函數與function有什麼不同?

不言
不言轉載
2019-03-13 13:40:332488瀏覽

本篇文章帶給大家的內容是關於ES6箭頭函數與function有什麼不同?有一定的參考價值,有需要的朋友可以參考一下,希望對你有幫助。

1.寫法不同

// function的写法
function fn(a, b){
    return a+b;
}
// 箭头函数的写法
let foo = (a, b) =>{ return a + b }

2.this的指向不同

在function中,this指向的是呼叫該函數的物件;

//使用function定义的函数
function foo(){
    console.log(this);
}
var obj = { aa: foo };
foo(); //Window
obj.aa() //obj { aa: foo }

而在箭頭函數中,this永遠指向定義函數的環境。

//使用箭头函数定义函数
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

3.箭頭函數不可以當建構子

//使用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的指向。

4.變數提升

function存在變數提升,可以定義在呼叫語句後;

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() {}

                                         

以上是ES6箭頭函數與function有什麼不同?的詳細內容。更多資訊請關注PHP中文網其他相關文章!

陳述:
本文轉載於:segmentfault.com。如有侵權,請聯絡admin@php.cn刪除