您当前的位置:首页 > 电脑百科 > 程序开发 > 语言 > javascript

前端开发中的一些js规范

时间:2019-10-16 11:52:24  来源:  作者:
前端开发中的一些js规范

 

1.不要用遍历器。用JAVAScript高级函数代替`for-in`、 `for-of`。

const numbers = [1, 2, 3, 4, 5];

// bad

let sum = 0;

for (let num of numbers) {

sum += num;

}

sum === 15;

// good

let sum = 0;

numbers.forEach(num => sum += num);

sum === 15;

// best (use the functional force)

const sum = numbers.reduce((total, num) => total + num, 0);

sum === 15;

// bad

const increasedByOne = [];

for (let i = 0; i < numbers.length; i++) {

increasedByOne.push(numbers[i] + 1);

}

// good

const increasedByOne = [];

numbers.forEach(num => increasedByOne.push(num + 1));

// best (keeping it functional)

const increasedByOne = numbers.map(num => num + 1);

2不要直接调用`Object.prototype`上的方法,如`hasOwnProperty`, `propertyIsEnumerable`, `isPrototypeOf`。

// bad

console.log(object.hasOwnProperty(key));

// good

console.log(Object.prototype.hasOwnProperty.call(object, key));

3.对象浅拷贝时,更推荐使用扩展运算符[就是`...`运算符],而不是[`Object.assign`]

// bad

const original = { a: 1, b: 2 };

const copy = Object.assign({}, original, { c: 3 }); // copy => { a: 1, b: 2, c: 3 }

// good es6扩展运算符 ...

const original = { a: 1, b: 2 };

// 浅拷贝

const copy = { ...original, c: 3 }; // copy => { a: 1, b: 2, c: 3 }

// rest 赋值运算符

const { a, ...noA } = copy; // noA => { b: 2, c: 3 }

4.用扩展运算符做数组浅拷贝,类似上面的对象浅拷贝

// bad

const len = items.length;

const itemsCopy = [];

let i;

for (i = 0; i < len; i += 1) {

itemsCopy[i] = items[i];

}

// good

const itemsCopy = [...items];

5. 用 `...` 运算符而不是[`Array.from`]

const foo = document.querySelectorAll('.foo');

// good

const nodes = Array.from(foo);

// best

const nodes = [...foo];

6.用对象的解构赋值来获取和使用对象某个或多个属性值。

// bad

function getFullName(user) {

const firstName = user.firstName;

const lastName = user.lastName;

return `${firstName} ${lastName}`;

}

// good

function getFullName(user) {

const { firstName, lastName } = user;

return `${firstName} ${lastName}`;

}

// best

function getFullName({ firstName, lastName }) {

return `${firstName} ${lastName}`;

}

7. const arr = [1, 2, 3, 4];

// bad

const first = arr[0];

const second = arr[1];

// good

const [first, second] = arr;

8.多个返回值用对象的解构,而不是数据解构。

// bad

function processInput(input) {

// 然后就是见证奇迹的时刻

return [left, right, top, bottom];

}

// 调用者需要想一想返回值的顺序

const [left, __, top] = processInput(input);

// good

function processInput(input) {

// oops, 奇迹又发生了

return { left, right, top, bottom };

}

// 调用者只需要选择他想用的值就好了

const { left, top } = processInput(input);

9. 用命名函数表达式而不是函数声明。

// bad

function foo() {

// ...

}

// bad

const foo = function () {

// ...

};

// good

// lexical name distinguished from the variable-referenced invocation(s)

// 函数表达式名和声明的函数名是不一样的

const short = function longUniqueMoreDescriptiveLexicalFoo() {

// ...

};

10.不要使用`arguments`,用rest语法`...`代替。

// bad

function concatenateAll() {

const args = Array.prototype.slice.call(arguments);

return args.join('');

}

// good

function concatenateAll(...args) {

return args.join('');

}

11.用`spread`操作符`...`去调用多变的函数更好

// bad

const x = [1, 2, 3, 4, 5];

console.log.Apply(console, x);

// good

const x = [1, 2, 3, 4, 5];

console.log(...x);

// bad

new (Function.prototype.bind.apply(Date, [null, 2016, 8, 5]));

// good

new Date(...[2016, 8, 5]);

12.当你一定要用函数表达式(在回调函数里)的时候就用箭头表达式吧。

// bad

[1, 2, 3].map(function (x) {

const y = x + 1;

return x * y;

});

// good

[1, 2, 3].map((x) => {

const y = x + 1;

return x * y;

});

13.常用`class`,避免直接操作`prototype`

// bad

function Queue(contents = []) {

this.queue = [...contents];

}

Queue.prototype.pop = function () {

const value = this.queue[0];

this.queue.splice(0, 1);

return value;

};

// good

class Queue {

constructor(contents = []) {

this.queue = [...contents];

}

pop() {

const value = this.queue[0];

this.queue.splice(0, 1);

return value;

}

}

14. 用`extends`实现继承

// bad

const inherits = require('inherits');

function PeekableQueue(contents) {

Queue.apply(this, contents);

}

inherits(PeekableQueue, Queue);

PeekableQueue.prototype.peek = function () {

return this._queue[0];

}

// good

class PeekableQueue extends Queue {

peek() {

return this._queue[0];

}

}

15.可以返回`this`来实现方法链

// bad

Jedi.prototype.jump = function () {

this.jumping = true;

return true;

};

Jedi.prototype.setHeight = function (height) {

this.height = height;

};

const luke = new Jedi();

luke.jump(); // => true

luke.setHeight(20); // => undefined

// good

class Jedi {

jump() {

this.jumping = true;

return this;

}

setHeight(height) {

this.height = height;

return this;

}

}

const luke = new Jedi();

luke.jump()

.setHeight(20);

16.如果没有具体说明,类有默认的构造方法。一个空的构造函数或只是代表父类的构造函数是不需要写的。

// bad

class Jedi {

constructor() {}

getName() {

return this.name;

}

}

// bad

class Rey extends Jedi {

// 这种构造函数是不需要写的

constructor(...args) {

super(...args);

}

}

// good

class Rey extends Jedi {

constructor(...args) {

super(...args);

this.name = 'Rey';

}

}

17. 一个路径只 import 一次。

// bad

import foo from 'foo';

// … some other imports … //

import { named1, named2 } from 'foo';

// good

import foo, { named1, named2 } from 'foo';

// good

import foo, {

named1,

named2,

} from 'foo';

18. 做幂运算时用幂操作符 `**` 。

// bad

const binary = Math.pow(2, 10);

// good

const binary = 2 ** 10;

19.三元表达式不应该嵌套,通常是单行表达式。

// bad

const foo = maybe1 > maybe2

? "bar"

: value1 > value2 ? "baz" : null;

// better

const maybeNull = value1 > value2 ? 'baz' : null;

const foo = maybe1 > maybe2

? 'bar'

: maybeNull;

// best

const maybeNull = value1 > value2 ? 'baz' : null;

const foo = maybe1 > maybe2 ? 'bar' : maybeNull;

20.避免不需要的三元表达式

// bad

const foo = a ? a : b;

const bar = c ? true : false;

const baz = c ? false : true;

// good

const foo = a || b;

const bar = !!c;

const baz = !c;

21. 如果 `if` 语句中总是需要用 `return` 返回, 那后续的 `else` 就不需要写了。 `if` 块中包含 `return`, 它后面的 `else if` 块中也包含了 `return`, 这个时候就可以把 `return` 分到多个 `if` 语句块中。

// bad

function foo() {

if (x) {

return x;

} else {

return y;

}

}

// bad

function cats() {

if (x) {

return x;

} else if (y) {

return y;

}

}

// bad

function dogs() {

if (x) {

return x;

} else {

if (y) {

return y;

}

}

}

// good

function foo() {

if (x) {

return x;

}

return y;

}

// good

function cats() {

if (x) {

return x;

}

if (y) {

return y;

}

}

// good

function dogs(x) {

if (x) {

if (z) {

return y;

}

} else {

return z;

}

}



Tags:js规范   点击:()  评论:()
声明:本站部分内容及图片来自互联网,转载是出于传递更多信息之目的,内容观点仅代表作者本人,如有任何标注错误或版权侵犯请与我们联系(Email:2595517585@qq.com),我们将及时更正、删除,谢谢。
▌相关推荐
1.不要用遍历器。用JavaScript高级函数代替`for-in`、 `for-of`。const numbers = [1, 2, 3, 4, 5];// badlet sum = 0;for (let num of numbers) {sum += num;}sum === 15...【详细内容】
2019-10-16  Tags: js规范  点击:(112)  评论:(0)  加入收藏
▌简易百科推荐
1、通过条件判断给变量赋值布尔值的正确姿势// badif (a === &#39;a&#39;) { b = true} else { b = false}// goodb = a === &#39;a&#39;2、在if中判断数组长度不为零...【详细内容】
2021-12-24  Mason程    Tags:JavaScript   点击:(6)  评论:(0)  加入收藏
给新手朋友分享我收藏的前端必备javascript已经写好的封装好的方法函数,直接可用。方法函数总计:41个;以下给大家介绍有35个,需要整体文档的朋友私信我,1、输入一个值,将其返回数...【详细内容】
2021-12-15  未来讲IT    Tags:JavaScript   点击:(20)  评论:(0)  加入收藏
1. 检测一个对象是不是纯对象,检测数据类型// 检测数据类型的方法封装(function () { var getProto = Object.getPrototypeOf; // 获取实列的原型对象。 var class2type =...【详细内容】
2021-12-08  前端明明    Tags:js   点击:(23)  评论:(0)  加入收藏
作者:一川来源:前端万有引力 1 写在前面Javascript中的apply、call、bind方法是前端代码开发中相当重要的概念,并且与this的指向密切相关。本篇文章我们将深入探讨这个关键词的...【详细内容】
2021-12-06  Nodejs开发    Tags:Javascript   点击:(19)  评论:(0)  加入收藏
概述DOM全称Document Object Model,即文档对象模型。是HTML和XML文档的编程接口,DOM将文档(HTML或XML)描绘成一个多节点构成的结构。使用JavaScript可以改变文档的结构、样式和...【详细内容】
2021-11-16  海人为记    Tags:DOM模型   点击:(35)  评论:(0)  加入收藏
入口函数 /*js加载完成事件*/ window.onload=function(){ console.log("页面和资源完全加载完毕"); } /*jQuery的ready函数*/ $(document).ready(function(){ co...【详细内容】
2021-11-12  codercyh的开发日记    Tags:jQuery   点击:(36)  评论:(0)  加入收藏
一、判断是否IE浏览器(支持判断IE11与edge)function IEVersion() {var userAgent = navigator.userAgent; //取得浏览器的userAgent字符串var isIE = userAgent.indexOf("comp...【详细内容】
2021-11-02  V面包V    Tags:Javascript   点击:(40)  评论:(0)  加入收藏
Null、Undefined、空检查普通写法: if (username1 !== null || username1 !== undefined || username1 !== &#39;&#39;) { let username = username1; }优化后...【详细内容】
2021-10-28  前端掘金    Tags:JavaScript   点击:(51)  评论:(0)  加入收藏
今天我们将尝试下花 1 分钟的时间简单地了解下什么是 JS 代理对象(proxies)?我们可以这样理解,JS 代理就相当于在对象的外层加了一层拦截,在拦截方法里我们可以自定义一些个性化...【详细内容】
2021-10-18  前端达人    Tags:JS   点击:(51)  评论:(0)  加入收藏
带有多个条件的 if 语句把多个值放在一个数组中,然后调用数组的 includes 方法。// bad if (x === "abc" || x === "def" || x === "ghi" || x === "jkl") { //logic } // be...【详细内容】
2021-09-27  羲和时代    Tags:JS   点击:(58)  评论:(0)  加入收藏
相关文章
    无相关信息
最新更新
栏目热门
栏目头条