const 和 letgit
不要用 var,而是用 const 和 let,分別表示常量和變量。不一樣於 var 的函數做用域,const 和 let 都是塊級做用域。github
const DELAY = 1000; let count = 0; count = count + 1;
模板字符串提供了另外一種作字符串組合的方法。json
const user = 'world'; console.log(`hello ${user}`); // hello world // 多行 const content = ` Hello ${firstName}, Thanks for ordering ${qty} tickets to ${event}. `;
function logActivity(activity = 'skiing') { console.log(activity); } logActivity(); // skiing
函數的快捷寫法,不須要經過 function 關鍵字建立函數,而且還能夠省略 return 關鍵字。api
同時,箭頭函數還會繼承當前上下文的 this 關鍵字。數組
好比:antd
[1, 2, 3].map(x => x + 1); // [2, 3, 4] 等同於: [1, 2, 3].map((function(x) { return x + 1; }).bind(this));
import 用於引入模塊,export 用於導出模塊。app
好比:異步
// 引入所有 import dva from 'dva'; // 引入部分 import { connect } from 'dva'; import { Link, Route } from 'dva/router'; // 引入所有並做爲 github 對象 import * as github from './services/github'; // 導出默認 export default App; // 部分導出,需 import { App } from './file'; 引入 export class App extend Component {};
析構賦值讓咱們從 Object 或 Array 裏取部分數據存爲變量。函數
// 對象 const user = { name: 'guanguan', age: 2 }; const { name, age } = user; console.log(`${name} : ${age}`); // guanguan : 2 // 數組 const arr = [1, 2]; const [foo, bar] = arr; console.log(foo); // 1
咱們也能夠析構傳入的函數參數。fetch
const add = (state, { payload }) => { return state.concat(payload); }; 析構時還能夠配 alias,讓代碼更具備語義。 const add = (state, { payload: todo }) => { return state.concat(todo); };
這是析構的反向操做,用於從新組織一個 Object 。
const name = 'duoduo'; const age = 8; const user = { name, age }; // { name: 'duoduo', age: 8 }
定義對象方法時,還能夠省去 function 關鍵字。
app.model({ reducers: { add() {} // 等同於 add: function() {} }, effects: { *addRemote() {} // 等同於 addRemote: function*() {} }, });
Spread Operator 即 3 個點 ...,有幾種不一樣的使用方法。
可用於組裝數組。
const todos = ['Learn dva']; [...todos, 'Learn antd']; // ['Learn dva', 'Learn antd'] 也可用於獲取數組的部分項。 const arr = ['a', 'b', 'c']; const [first, ...rest] = arr; rest; // ['b', 'c'] // With ignore const [first, , ...rest] = arr; rest; // ['c']
還可收集函數參數爲數組。
function directions(first, ...rest) { console.log(rest); } directions('a', 'b', 'c'); // ['b', 'c']; 代替 apply。 function foo(x, y, z) {} const args = [1,2,3]; // 下面兩句效果相同 foo.apply(null, args); foo(...args);
對於 Object 而言,用於組合成新的 Object 。(ES2017 stage-2 proposal)
const foo = { a: 1, b: 2, }; const bar = { b: 3, c: 2, }; const d = 4; const ret = { ...foo, ...bar, d }; // { a:1, b:3, c:2, d:4 }
此外,在 JSX 中 Spread Operator 還可用於擴展 props,詳見 Spread Attributes。
Promise 用於更優雅地處理異步請求。好比發起異步請求:
fetch('/api/todos') .then(res => res.json()) .then(data => ({ data })) .catch(err => ({ err }));
定義 Promise 。
const delay = (timeout) => { return new Promise(resolve => { setTimeout(resolve, timeout); }); }; delay(1000).then(_ => { console.log('executed'); });