ES6學習--箭頭函式
阿新 • • 發佈:2018-12-23
1. 箭頭函式基本形式
let func = (num) => num; let func = () => num; let sum = (num1,num2) => num1 + num2; [1,2,3].map(x => x * x);
2. 箭頭函式基本特點
(1). 箭頭函式this為父作用域的this,不是呼叫時的this
箭頭函式的this永遠指向其父作用域,任何方法都改變不了,包括call,apply,bind。
普通函式的this指向呼叫它的那個物件。
let person = { name:'jike', init:function(){ //為body新增一個點選事件,看看這個點選後的this屬性有什麼不同 document.body.onclick = ()=>{ alert(this.name);//?? this在瀏覽器預設是呼叫時的物件,可變的? } } } person.init();
上例中,init是function,以person.init呼叫,其內部this就是person本身,而onclick回撥是箭頭函式,
其內部的this,就是父作用域的this,就是person,能得到name。
let person = { name:'jike', init:()=>{ //為body新增一個點選事件,看看這個點選後的this屬性有什麼不同 document.body.onclick = ()=>{ alert(this.name);//?? this在瀏覽器預設是呼叫時的物件,可變的? } } } person.init();
上例中,init為箭頭函式,其內部的this為全域性window,onclick的this也就是init函式的this,也是window,
得到的this.name就為undefined。
(2). 箭頭函式不能作為建構函式,不能使用new
//建構函式如下: function Person(p){ this.name = p.name; } //如果用箭頭函式作為建構函式,則如下 var Person = (p) => { this.name = p.name; }
由於this必須是物件例項,而箭頭函式是沒有例項的,此處的this指向別處,不能產生person例項,自相矛盾。
(3). 箭頭函式沒有arguments,caller,callee
箭頭函式本身沒有arguments,如果箭頭函式在一個function內部,它會將外部函式的arguments拿過來使用。
箭頭函式中要想接收不定引數,應該使用rest引數...解決。
let B = (b)=>{ console.log(arguments); } B(2,92,32,32); // Uncaught ReferenceError: arguments is not defined let C = (...c) => { console.log(c); } C(3,82,32,11323); // [3, 82, 32, 11323]
(4). 箭頭函式通過call和apply呼叫,不會改變this指向,只會傳入引數
let obj2 = { a: 10, b: function(n) { let f = (n) => n + this.a; return f(n); }, c: function(n) { let f = (n) => n + this.a; let m = { a: 20 }; return f.call(m,n); } }; console.log(obj2.b(1)); // 11 console.log(obj2.c(1)); // 11
(5). 箭頭函式沒有原型屬性
var a = ()=>{ return 1; } function b(){ return 2; } console.log(a.prototype); // undefined console.log(b.prototype); // {constructor: ƒ}
(6). 箭頭函式不能作為Generator函式,不能使用yield關鍵字
(7). 箭頭函式返回物件時,要加一個小括號
var func = () => ({ foo: 1 }); //正確 var func = () => { foo: 1 }; //錯誤
(8). 箭頭函式在ES6 class中宣告的方法為例項方法,不是原型方法
//deom1 class Super{ sayName(){ //do some thing here } } //通過Super.prototype可以訪問到sayName方法,這種形式定義的方法,都是定義在prototype上 var a = new Super() var b = new Super() a.sayName === b.sayName //true //所有例項化之後的物件共享prototypy上的sayName方法 //demo2 class Super{ sayName =()=>{ //do some thing here } } //通過Super.prototype訪問不到sayName方法,該方法沒有定義在prototype上 var a = new Super() var b = new Super() a.sayName === b.sayName //false //例項化之後的物件各自擁有自己的sayName方法,比demo1需要更多的記憶體空間
因此,在class中儘量少用箭頭函式宣告方法。
(9). 多重箭頭函式就是一個高階函式,相當於內嵌函式
const add = x => y => y + x; //相當於 function add(x){ return function(y){ return y + x; }; }