ES6编程风格

1块级作用域
ES5只有全局和函数作用域。
let和const。线程安全。
块级作用域,不能重复声明。
长远来看,JavaScript可能会有多线程的实现(比如Intel的River Trail那一类的项目),这时let表示的变量,只应出现在单线程运行的代码中,不能是多线程共享的,这样有利于保证线程安全。

2字符串
静态字符串一律使用单引号或反引号,不使用双引号。动态字符串使用反引号。
var a='';或者var a=``;

3结构赋值
const arr = [1, 2, 3, 4];
const [first, second] = arr;

4对象
单行定义的对象,最后一个成员不以逗号结尾。多行定义的对象,最后一个成员以逗号结尾。
const a = { k1: v1, k2: v2 };
const b = {
k1: v1,
k2: v2,
};

5数组
拷贝数组:const itemsCopy = [...items];
转为数组:使用Array.from方法,将类似数组的对象转为数组。
const foo = document.querySelectorAll('.foo');const nodes = Array.from(foo);

6函数
简单的、单行的、不会复用的函数,建议采用箭头函数。
例如:立即执行的匿名函数
(() => { console.log('Welcome to the Internet.');})();
箭头函数取代Function.prototype.bind,不应再用self/_this/that绑定 this。
const boundMethod = (...params) => method.apply(this, params);
arguments是一个类似数组的对象,而rest运算符可以提供一个真正的数组。

7map结构
注意区分Object和Map,只有模拟现实世界的实体对象时,才使用Object。如果只是需要key: value的数据结构,使用Map结构。因为Map有内建的遍历机制。

8class
总是用Class,取代需要prototype的操作。因为Class的写法更简洁,更易于理解。
// goodclass Queue { constructor(contents = []) { this._queue = [...contents]; } pop() { const value = this._queue[0]; this._queue.splice(0, 1); return value; }}
使用extends实现继承,因为这样更简单,不会有破坏instanceof运算的危险。
class PeekableQueue extends Queue { peek() { return this._queue[0]; }}
9模块
//引入
首先,Module语法是JavaScript模块的标准写法,坚持使用这种写法。使用import取代require。
import myObject from './importModule';
import { func1, func2 } from 'moduleA';
//暴露
使用export取代module.exports。
// ES6的写法import React from 'react';const Breadcrumbs = React.createClass({ render() { return

你可能感兴趣的:(ES6编程风格)