语言规范
语言规范
JavaScript 是一种客户端脚本语言,这里列出了编写 JavaScript 时需要遵守的规则。
类型
基本类型
- 字符串
- 数值
- 布尔类型
- null
- undefined
const foo = 1let bar = foobar = 9console.log(foo, bar) // 1, 9复杂类型
- object
- array
- function
const foo = [1, 2, 3]const bar = foobar[0] = 9console.log(foo[0], bar[0]) // 9, 9
引用
const
和 let
都是块级作用域,var
是函数级作用域
对所有引用都使用
const
,不要使用var
// badvar a = 1var b = 2// goodconst a = 1const b = 2如果引用是可变动的,则使用
let
// badvar count = 1if (count < 10) {count += 1}// goodlet count = 1if (count < 10) {count += 1}
对象
请使用字面量值创建对象
// badconst a = new Object{}// goodconst a = {}别使用保留字作为对象的键值,这样在 IE8 下不会运行
// badconst a = {default: {}, // default 是保留字common: {}}// goodconst a = {defaults: {},common: {}}请使用对象方法的简写方式
// badconst item = {value: 1,addValue: function (val) {return item.value + val}}// goodconst item = {value: 1,addValue(val) {return item.value + val}}请使用对象属性值的简写方式
const job = 'FrontEnd'// badconst item = {job: job}// goodconst item = {job}对象属性值的简写方式要和声明式的方式分组
const job = 'FrontEnd'const department = 'JDC'// badconst item = {sex: 'male',job,age: 25,department}// goodconst item = {job,department,sex: 'male',age: 25}
数组
请使用字面量值创建数组
// badconst items = new Array()// goodconst items = []向数组中添加元素时,请使用
push
方法const items = []// baditems[items.length] = 'test'// gooditems.push('test')使用拓展运算符
...
复制数组// badconst items = []const itemsCopy = []const len = items.lengthlet i// badfor (i = 0; i < len; i++) {itemsCopy[i] = items[i]}// gooditemsCopy = [...items]使用数组的
map
等方法时,请使用return
声明,如果是单一声明语句的情况,可省略return
// good[1, 2, 3].map(x => {const y = x + 1return x * y})// good[1, 2, 3].map(x => x + 1)// badconst flat = {}[[0, 1], [2, 3], [4, 5]].reduce((memo, item, index) => {const flatten = memo.concat(item)flat[index] = flatten})// goodconst flat = {}[[0, 1], [2, 3], [4, 5]].reduce((memo, item, index) => {const flatten = memo.concat(item)flat[index] = flattenreturn flatten})// badinbox.filter((msg) => {const { subject, author } = msgif (subject === 'Mockingbird') {return author === 'Harper Lee'} else {return false}})// goodinbox.filter((msg) => {const { subject, author } = msgif (subject === 'Mockingbird') {return author === 'Harper Lee'}return false})
解构赋值
当需要使用对象的多个属性时,请使用解构赋值
// badfunction getFullName (user) {const firstName = user.firstNameconst lastName = user.lastNamereturn `${firstName} ${lastName}`}// goodfunction getFullName (user) {const { firstName, lastName } = userreturn `${firstName} ${lastName}`}// betterfunction getFullName ({ firstName, lastName }) {return `${firstName} ${lastName}`}当需要使用数组的多个值时,请同样使用解构赋值
const arr = [1, 2, 3, 4]// badconst first = arr[0]const second = arr[1]// goodconst [first, second] = arr函数需要回传多个值时,请使用对象的解构,而不是数组的解构
// badfunction doSomething () {return [top, right, bottom, left]}// 如果是数组解构,那么在调用时就需要考虑数据的顺序const [top, xx, xxx, left] = doSomething()// goodfunction doSomething () {return { top, right, bottom, left }}// 此时不需要考虑数据的顺序const { top, left } = doSomething()
字符串
字符串统一使用单引号的形式
''
// badconst department = "JDC"// goodconst department = 'JDC'字符串太长的时候,请不要使用字符串连接符换行
\
,而是使用+
const str = '这是长长的字符串' +'这是长长的字符串 这是长长的字符串 这是长长的字符串' +'这是长长的字符串 这是长长的字符串'程序化生成字符串时,请使用模板字符串
const test = 'test'// badconst str = ['a', 'b', test].join()// badconst str = 'a' + 'b' + test// goodconst str = `ab${test}`
函数
请使用函数声明,而不是函数表达式
// badconst foo = function () {// do something}// goodfunction foo () {// do something}不要在非函数代码块中声明函数
// badif (isUse) {function test () {// do something}}// goodlet testif (isUse) {test = () => {// do something}}不要使用
arguments
,可以选择使用...
arguments
只是一个类数组,而...
是一个真正的数组// badfunction test () {const args = Array.prototype.slice.call(arguments)return args.join('')}// goodfunction test (...args) {return args.join('')}不要更改函数参数的值
// badfunction test (opts) {opts = opts || {}}// goodfunction test (opts = {}) {// ...}
原型
使用
class
,避免直接操作prototype
// badfunction Queue (contents = []) {this._queue = [..contents]}Queue.prototype.pop = function () {const value = this._queue[0]this._queue.splice(0, 1)return value}// goodclass Queue {constructor (contents = []) {this._queue = [...contents]}pop () {const value = this._queue[0]this._queue.splice(0, 1)return value}}
模块
使用标准的 ES6 模块语法
import
和export
// badconst util = require('./util')module.exports = util// goodimport Util from './util'export default Util// betterimport { Util } from './util'export default Util不要使用
import
的通配符*
,这样可以确保你只有一个默认的 export// badimport * as Util from './util'// goodimport Util from './util'
迭代器
不要使用
iterators
const numbers = [1, 2, 3, 4, 5]// badlet sum = 0for (let num of numbers) {sum += num}// goodlet sum = 0numbers.forEach(num => sum += num)// betterconst sum = numbers.reduce((total, num) => total + num, 0)
对象属性
使用
.
来访问对象属性const joke = {name: 'haha',age: 28}// badconst name = joke['name']// goodconst name = joke.name
变量声明
声明变量时,请使用
const
、let
关键字,如果没有写关键字,变量就会暴露在全局上下文中,这样很可能会和现有变量冲突,另外,也很难明确该变量的作用域是什么。这里推荐使用const
来声明变量,我们需要避免全局命名空间的污染。// baddemo = new Demo()// goodconst demo = new Demo()将所有的
const
和let
分组// badlet aconst blet cconst dlet e// goodconst bconst dlet alet clet e
Hoisting
var
存在变量提升的情况,即var
声明会被提升至该作用域的顶部,但是他们的赋值并不会。而const
和let
并不存在这种情况,他们被赋予了 Temporal Dead Zones, TDZfunction example () {console.log(notDefined) // => throws a ReferenceError}function example () {console.log(declareButNotAssigned) // => undefinedvar declaredButNotAssigned = true}function example () {let declaredButNotAssignedconsole.log(declaredButNotAssigned) // => undefineddeclaredButNotAssigned = true}function example () {console.log(declaredButNotAssigned) // => throws a ReferenceErrorconsole.log(typeof declaredButNotAssigned) // => throws a ReferenceErrorconst declaredButNotAssigned = true}匿名函数的变量名会提升,但函数内容不会
function example () {console.log(anonymous) // => undefinedanonymous()var anonymous = function () {console.log('test')}}命名的函数表达式的变量名会被提升,但函数名和函数函数内容并不会
function example() {console.log(named) // => undefinednamed() // => TypeError named is not a functionsuperPower() // => ReferenceError superPower is not definedvar named = function superPower () {console.log('Flying')}}function example() {console.log(named) // => undefinednamed() // => TypeError named is not a functionvar named = function named () {console.log('named')}}
分号
我们遵循
Standard
的规范,不使用分号。关于应不应该使用分号的讨论有很多,本规范认为非必要的时候,应该不使用分号,好的
JS
程序员应该清楚场景下是一定要加分号的,相信你也是名好的开发者。// badconst test = 'good';(function () {const str = 'hahaha';})()// goodconst test = 'good';(() => {const str = 'hahaha'})();
标准特性
为了代码的可移植性和兼容性,我们应该最大化的使用标准方法,例如优先使用 string.charAt(3)
而不是 string[3]
eval()
由于 eval
方法比较 evil
,所以我们约定禁止使用该方法
with() {}
由于 with
方法会产生神奇的作用域,所以我们也是禁止使用该方法的
for-in 循环
推荐使用 for in
语法,但是在对对象进行操作时,容易忘了检测 hasOwnProperty(key)
,所以我们启用了 ESLint
的 guard-for-in
选项
对数组进行
for in
的时候,顺序是不固定的
修改内置对象的原型
不要修改内置对象,如 Object
和 Array