轉載這篇ES6的箭頭函數方便本身查閱。 html
ES6能夠使用「箭頭」(=>)定義函數,注意是函數,不要使用這種方式定義類(構造器)。數組
(參數1, 參數2, …, 參數N) => { 函數聲明 } (參數1, 參數2, …, 參數N) => 表達式(單一) //至關於:(參數1, 參數2, …, 參數N) =>{ return 表達式; } // 當只有一個參數時,圓括號是可選的: (單一參數) => {函數聲明} 單一參數 => {函數聲明} // 沒有參數的函數應該寫成一對圓括號。 () => {函數聲明}
//加括號的函數體返回對象字面表達式: 參數=> ({foo: bar}) //支持剩餘參數和默認參數 (參數1, 參數2, ...rest) => {函數聲明} (參數1 = 默認值1,參數2, …, 參數N = 默認值N) => {函數聲明} //一樣支持參數列表解構 let f = ([a, b] = [1, 2], {x: c} = {x: a + b}) => a + b + c; f(); // 6
1. 具備一個參數的簡單函數函數
var single = a => a single('hello, world') // 'hello, world'
2. 沒有參數的須要用在箭頭前加上小括號this
var log = () => { alert('no param') }
3. 多個參數須要用到小括號,參數間逗號間隔,例如兩個數字相加spa
var add = (a, b) => a + b add(3, 8) // 11
4. 函數體多條語句須要用到大括號rest
var add = (a, b) => { if (typeof a == 'number' && typeof b == 'number') { return a + b } else { return 0 } }
5. 返回對象時須要用小括號包起來,由於大括號被佔用解釋爲代碼塊了code
var getHash = arr => { // ... return ({ name: 'Jack', age: 33 }) }
6. 直接做爲事件handlerhtm
document.addEventListener('click', ev => {
console.log(ev)
})
7. 做爲數組排序回調對象
var arr = [1, 9 , 2, 4, 3, 8].sort((a, b) => { if (a - b > 0 ) { return 1 } else { return -1 } }) arr // [1, 2, 3, 4, 8, 9]
1. typeof運算符和普通的function同樣blog
var func = a => a console.log(typeof func); // "function"
2. instanceof也返回true,代表也是Function的實例
console.log(func instanceof Function); // true
3. this固定,再也不善變
obj = { data: ['John Backus', 'John Hopcroft'], init: function() { document.onclick = ev => { alert(this.data) // ['John Backus', 'John Hopcroft'] } // 非箭頭函數 // document.onclick = function(ev) { // alert(this.data) // undefined // } } } obj.init()
4. 箭頭函數不能用new
var Person = (name, age) => { this.name = name this.age = age } var p = new Person('John', 33) // error
5. 不能使用argument
var func = () => { console.log(arguments) } func(55) // Uncaught ReferenceError: arguments is not defined