原文在个人博客:https://github.com/YutHelloWo...
若是喜欢请start或者watch。这将是我继续写下去的动力。javascript
这里梳理下React技术栈须要的最小知识集,让你能够最短期掌握React,Redux,React-Router,ES6的相关知识,更快的上手React”全家桶“。预计会有ES六、React、Redux、React-Router、Webpack,实时更新目录。java
不要用var
,而是用let
和 const
。const
声明一个只读的常量,let
用来声明变量,const
和 let
都是块级做用域。git
const PLUS = 'PLUS'; let availableId = 0; availableId ++;
模板字符串(template string)是加强版的字符串,用反引号(`)标识。它能够看成普通字符串使用,也能够用来定义多行字符串,或者在字符串中嵌入变量。es6
const user = 'world'; console.log(`hello ${user}`); // hello world // 多行(全部的空格和缩进都会被保留在输出之中) const content = ` Hello ${firstName}, Thanks for ordering ${qty} tickets to ${event}. `;
function log(user = 'World') { console.log(user); } log() // World
ES6 容许使用“箭头”(=>)定义函数。
函数的快捷写法,不须要经过 function
关键字建立函数,而且还能够省略 return
关键字。
同时,箭头函数还会继承当前上下文的 this
关键字,即:函数体内的this对象,就是定义时所在的对象,而不是使用时所在的对象。github
// ES6 function Timer() { this.s1 = 0; setInterval(() => this.s1++, 1000); } // 等同于ES5 function Timer() { this.s1 = 0; setInterval((function () { this.s1++; }).bind(this), 1000); } const timer = new Timer(); setTimeout(() => console.log('s1: ', timer.s1), 3100); // s1:3
import
用于引入模块,export
用于导出模块。json
//导出默认, counter.js export default function counter() { // ... } import counter from 'counter'; // 普通导出和导入,reducer.js export const injectReducer = ( ) => { //... } import { injectReducer } from 'reducers' // 引入所有并做为 reducers 对象 import * as reducers from './reducers';
// 数组 let [a, b, c] = [1, 2, 3]; a // 1 //对象 let { foo, bar } = { foo: "aaa", bar: "bbb" }; foo // "aaa"
函数的参数也可使用解构赋值。api
function add ([x, y]) { return x + y; } add([1, 2]); // 3
函数参数的逐层解析数组
const x = { a : { b : 1 }, c : 2 } const counter = ({a : {b}, c}) => b+c counter(x) // 3
const foo = 'bar'; const baz = {foo}; baz // {foo: "bar"} // 等同于 const baz = {foo: foo};
除了属性简写,方法也能够简写。babel
const o = { method() { return "Hello!"; } }; // 等同于 const o = { method: function() { return "Hello!"; } };
扩展运算符(spread)是三个点(...)。它比如 rest 参数的逆运算,将一个数组转为用逗号分隔的参数序列。
组装数组app
const a = [1, 2]; const b = [...a, 3]; b // [1,2,3]
获取数组部分
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);
组装对象
const a = { x : 1, y : 2 } const b = { ...a, z : 3 } b // {x:1, y: 2, z: 3}
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'); });
这只是个简洁的ES6经常使用特性总结,更全和更详尽的文档请参阅Learn ES2015