从这里开始:
一、 引用
- 使用 const 定义你的所有引用;避免使用 var。
为什么? 这样能够确保你不能重新赋值你的引用,否则可能导致错误或者产生难以理解的代码
var a = 1;
const a = 1;
- 如果你必须重新赋值你的引用, 使用 let 代替 var。
为什么? let 是块级作用域,而不像 var 是函数作用域.
var count = 1;
if (true) {
count += 1;
}
let count = 1;
if (true) {
count += 1;
}
二、对象
- 使用字面语法来创建对象
为什么?更简洁且效率更高
const item = new Object();
const item = {};
- 在对象声明的时候将简写的属性进行分组
为什么? 这样更容易的判断哪些属性使用的简写。
const anakinSkywalker = 'Anakin Skywalker';
const lukeSkywalker = 'Luke Skywalker';
const obj = {
episodeOne: 1,
twoJediWalkIntoACantina: 2,
lukeSkywalker,
episodeThree: 3,
anakinSkywalker,
};
const obj = {
lukeSkywalker,
anakinSkywalker,
episodeOne: 1,
twoJediWalkIntoACantina: 2,
episodeThree: 3,
};
- 只使用引号标注无效标识符的属性
为什么? 总的来说,我们认为这样更容易阅读。 它提升了语法高亮显示,并且更容易通过许多 JS 引擎优化。
const bad = {
'foo': 3,
'data-blah': 5,
};
const good = {
foo: 3,
'data-blah': 5,
};
- 不能直接调用 Object.prototype 的方法,如: hasOwnProperty 、 propertyIsEnumerable 和 isPrototypeOf。
为什么? 1) const obj = Object.create(null) const text1 = obj.hasOwnProperty(‘a’) const text2 = Object.prototype.hasOwnProperty.call(obj, ‘a’) console.log(text1) // 报错 console.log(text2) // false 2) 可能导致意外行为或服务安全漏洞。例如,web 客户端解析来自远程服务器的 JSON 输入并直接在结果对象上调用 hasOwnProperty 是不安全的,因为恶意服务器可能发送一个JSON值,如 {“hasOwnProperty”: 1},扰乱业务和安全。
console.log(object.hasOwnProperty(key));
console.log(Object.prototype.hasOwnProperty.call(object, key));
const has = Object.prototype.hasOwnProperty;
console.log(has.call(object, key));
- 更倾向于用对象扩展操作符,而不是用 Object.assign 浅拷贝一个对象。 使用对象的 rest 操作符来获得一个具有某些属性的新对象。
const original = { a: 1, b: 2 };
const copy = Object.assign(original, { c: 3 });
delete copy.a;
const original = { a: 1, b: 2 };
const copy = Object.assign({}, original, { c: 3 });
const original = { a: 1, b: 2 };
const copy = { ...original, c: 3 };
const { a, ...noA } = copy;
三、数组
- 使用字面语法创建数组
为什么?更简洁且效率更高
const items = new Array();
const items = [];
- 使用数组展开方法 … 来拷贝数组
const len = items.length;
const itemsCopy = [];
let i;
for (i = 0; i < len; i += 1) {
itemsCopy[i] = items[i];
}
const itemsCopy = [...items];
四、解构
- 在访问和使用对象的多个属性的时候使用对象的解构。
为什么? 解构可以避免为这些属性创建临时引用。
function getFullName(user) {
const firstName = user.firstName;
const lastName = user.lastName;
return `${firstName} ${lastName}`;
}
function getFullName(user) {
const { firstName, lastName } = user;
return `${firstName} ${lastName}`;
}
function getFullName({ firstName, lastName }) {
return `${firstName} ${lastName}`;
}
- 使用数组解构
const arr = [1, 2, 3, 4];
const first = arr[0];
const second = arr[1];
const [first, second] = arr;
- 对于多个返回值使用对象解构,而不是数组解构。
为什么? 你可以随时添加新的属性或者改变属性的顺序,而不用修改调用方。
function processInput(input) {
return [left, right, top, bottom];
}
const [left, __, top] = processInput(input);
function processInput(input) {
return { left, right, top, bottom };
}
const { left, top } = processInput(input);
五、字符
- 使用单引号 ‘’ 定义字符串
const name = "Capt. Janeway";
const name = `Capt. Janeway`;
const name = 'Capt. Janeway';
- 当以编程模式构建字符串时,使用字符串模板代替字符串拼接
为什么? 字符串模板为您提供了一种可读的、简洁的语法,具有正确的换行和字符串插值特性。
function sayHi(name) {
return 'How are you, ' + name + '?';
}
function sayHi(name) {
return ['How are you, ', name, '?'].join();
}
function sayHi(name) {
return `How are you, ${ name }?`;
}
function sayHi(name) {
return `How are you, ${name}?`;
}
- 不要在字符串上使用 eval() ,它打开了太多漏洞
- 永远不要定义一个参数为 arguments
为什么?因为arguments为每个函数的隐式参数
function foo(name, options, arguments) {
}
function foo(name, options, args) {
}
5.不要使用 arguments, 选择使用 rest 语法 … 代替
为什么?… 明确了你想要拉取什么参数。 更甚, rest 参数是一个真正的数组,而不仅仅是类数组的 arguments 。
function concatenateAll() {
const args = Array.prototype.slice.call(arguments);
return args.join('');
}
function concatenateAll(...args) {
return args.join('');
}
- 使用默认的参数语法,而不是改变函数参数。
function handleThings(opts) {
opts = opts || {};
}
function handleThings(opts) {
if (opts === void 0) {
opts = {};
}
}
function handleThings(opts = {}) {
}
- 总是把默认参数放在最后。
function handleThings(opts = {}, name) {
}
function handleThings(name, opts = {}) {
}
- 永远不要使用函数构造器来创建一个新函数。
为什么? 以这种方式创建一个函数将对一个类似于 eval() 的字符串进行计算,这将打开漏洞。
var add = new Function('a', 'b', 'return a + b');
var subtract = Function('a', 'b', 'return a - b');
- 不要再赋值函数已有的参数。
为什么? 重新赋值参数会导致意外的行为,尤其是在访问 arguments 对象的时候。 它还可能导致性能优化问题,尤其是在 V8 中。
function f1(a) {
a = 1;
}
function f2(a) {
if (!a) { a = 1; }
}
function f3(a) {
const b = a || 1;
}
function f4(a = 1) {
}
六、循环(迭代器)
- 你应该使用 JavaScript 的高阶函数代替 for-in 或者 for-of。
使用 map() / every() / filter() / find() / findIndex() / reduce() / some() / … 遍历数组, 和使用 Object.keys() / Object.values() / Object.entries() 迭代你的对象生成数组。 为什么? 因为它们返回纯函数。
const numbers = [1, 2, 3, 4, 5];
let sum = 0;
for (let num of numbers) {
sum += num;
}
sum === 15;
let sum = 0;
numbers.forEach((num) => {
sum += num;
});
sum === 15;
const sum = numbers.reduce((total, num) => total + num, 0);
sum === 15;
const increasedByOne = [];
for (let i = 0; i < numbers.length; i++) {
increasedByOne.push(numbers[i] + 1);
}
const increasedByOne = [];
numbers.forEach((num) => {
increasedByOne.push(num + 1);
});
const increasedByOne = numbers.map(num => num + 1);
七、属性
- 访问属性时,使用点符号,使用变量访问属性时,使用 [ ] 表示法。
const luke = {
jedi: true,
age: 28,
};
const isJedi = luke['jedi'];
const isJedi = luke.jedi;
八、变量
- 使用 const 或者 let 声明每一个变量,并把 const 声明的放在一起,把 let 声明的放在一起。
为什么? 1) 这样更容易添加新的变量声明,而且你不必担心是使用 ; 还是使用 , 或引入标点符号的差别。 你可以通过 debugger 逐步查看每个声明,而不是立即跳过所有声明。 2)这在后边如果需要根据前边的赋值变量指定一个变量时很有用。
let i, len, dragonball,
items = getItems(),
goSportsTeam = true;
let i;
const items = getItems();
let dragonball;
const goSportsTeam = true;
let len;
const goSportsTeam = true;
const items = getItems();
let dragonball;
let i;
let length;
- 不要链式变量赋值。
为什么? 链式变量赋值会创建隐式全局变量。
(function example() {
let a = b = c = 1;
}());
console.log(a);
console.log(b);
console.log(c);
(function example() {
let a = 1;
let b = a;
let c = a;
}());
console.log(a);
console.log(b);
console.log(c);
九、比较运算符和等号
- 使用 === 和 !== 而不是 == 和 !=
- 对于布尔值使用简写,但是对于字符串和数字进行显式比较。
if (isValid === true) {
}
if (isValid) {
}
if (name) {
}
if (name !== '') {
}
if (collection.length) {
}
if (collection.length > 0) {
}
- 在 case 和 default 的子句中,如果存在声明 (例如. let, const, function, 和 class),使用大括号来创建块 。
为什么? 语法声明在整个 switch 块中都是可见的,但是只有在赋值的时候才会被初始化,这种情况只有在 case 条件达到才会发生。 当多个 case 语句定义相同的东西是,这会导致问题问题。
switch (foo) {
case 1:
let x = 1;
break;
case 2:
const y = 2;
break;
case 3:
function f() {
}
break;
default:
class C {}
}
switch (foo) {
case 1: {
let x = 1;
break;
}
case 2: {
const y = 2;
break;
}
case 3: {
function f() {
}
break;
}
case 4:
bar();
break;
default: {
class C {}
}
}
- 三目表达式不应该嵌套,通常是单行表达式。太多了应该采用分离的办法。
const foo = maybe1 > maybe2
? "bar"
: value1 > value2 ? "baz" : null;
const maybeNull = value1 > value2 ? 'baz' : null;
const foo = maybe1 > maybe2
? 'bar'
: maybeNull;
const foo = maybe1 > maybe2 ? 'bar' : maybeNull;
- 使用该混合运算符时,使用括号括起来。 唯一例外的是标准算数运算符 (+, -, *, & /) 因为他们的优先级被广泛理解。
为什么? 这能提高可读性并且表明开发人员的意图。
十、控制语句
- 如果你的控制语句 (if, while 等) 太长或者超过了一行最大长度的限制,则可以将每个条件(或组)放入一个新的行。 逻辑运算符应该在行的开始。
为什么? 要求操作符在行的开始保持对齐并遵循类似方法衔接的模式。 这提高了可读性,并且使更复杂的逻辑更容易直观的被理解。
if ((foo === 123 || bar === 'abc') && doesItLookGoodWhenItBecomesThatLong() && isThisReallyHappening()) {
thing1();
}
if (foo === 123 &&
bar === 'abc') {
thing1();
}
if (foo === 123
&& bar === 'abc') {
thing1();
}
if (
foo === 123 &&
bar === 'abc'
) {
thing1();
}
if (
foo === 123
&& bar === 'abc'
) {
thing1();
}
if (
(foo === 123 || bar === 'abc')
&& doesItLookGoodWhenItBecomesThatLong()
&& isThisReallyHappening()
) {
thing1();
}
十一、注释
-
使用 /** … */ 来进行多行注释,而不是 // 。 -
使用 // 进行单行注释。 将单行注释放在需要注释的行的上方新行。 在注释之前放一个空行,除非它在块的第一行。用一个空格开始所有的注释,使它更容易阅读。
const active = true;
const active = true;
function getType() {
console.log('fetching type...');
const type = this.type || 'no type';
return type;
}
function getType() {
console.log('fetching type...');
const type = this.type || 'no type';
return type;
}
function getType() {
const type = this.type || 'no type';
return type;
}
十二、类型转换和强制类型转换
- 转换为字符串,首推String()
为什么?其他方法都有它的问题,或者会出现执行出错的可能;
let reviewScore = 9;
const totalScore = new String(reviewScore);
const totalScore = reviewScore + '';
const totalScore = reviewScore.toString();
const totalScore = String(reviewScore);
- 转为数字类型,首推Number或者parseInt指定10为基数。
const inputValue = '4';
const val = new Number(inputValue);
const val = +inputValue;
const val = inputValue >> 0;
const val = parseInt(inputValue);
const val = Number(inputValue);
const val = parseInt(inputValue, 10);
- 如果你要用位运算且这样最好的情况下,请写下注释,说明为什么这样做和你做了什么。
- 转换为布尔类型
const age = 0;
const hasAge = new Boolean(age);
const hasAge = Boolean(age);
const hasAge = !!age;
十三、命名规范
- 在命名对象、函数和实例时使用驼峰命名法(camelCase).且避免单字母或者拼音命名。用你命名来描述功能。
const OBJEcttsssss = {};
const this_is_my_object = {};
function c() {}
const thisIsMyObject = {};
function thisIsMyFunction() {}
- 文件名应该和默认导出的名称完全匹配。也就是export/import/filename 的命名规范要相同,是PascalCase 就都是PascalCase ,是camelCase 都是camelCase 。
- 关于缩略词和缩写,必须全部是大写或者全部是小写。
为什么? 名字是为了可读性,不是为了满足计算机算法。
import SmsContainer from './containers/SmsContainer';
const HttpRequests = [
];
import SMSContainer from './containers/SMSContainer';
const HTTPRequests = [
];
const httpRequests = [
];
十四、VUE相关规范
-
组件应该命名为多个单词的,且格式为单词大写开头(PascalCase)如’TodoItem’。 -
基础组件(也就是展示类的、无逻辑的或无状态的组件)命名应该全部以一个特定的前缀开头,比如 Base、App 或 V。
components/
|- BaseButton.vue
|- BaseTable.vue
|- BaseIcon.vue
- 单列组件(每个页面只用一次)命名应该以The前缀命名,以示其唯一性。
components/
|- TheHeading.vue
|- TheSidebar.vue
- 紧密耦合的组件(父组件和子组件),其中子组件应该以父组件名作为前缀命名,
- 组件名的单词顺序,应该以表属性名词开头,由描述性的修饰词结尾。
components/
|- SearchButtonClear.vue
|- SearchButtonRun.vue
|- SearchInputQuery.vue
|- SearchInputExcludeGlob.vue
|- SettingsCheckboxTerms.vue
|- SettingsCheckboxLaunchOnStartup.vue
- 在DOM模板中不能有自闭和标签的组件。
为什么呢?HTML 并不支持自闭合的自定义元素
- DOM模板中的组件名,应该以kebab-case格式;
为什么呢?HTML是大小写不敏感的,在DOM模板中必须仍使用kebab-case。
<!-- 在 DOM 模板中 -->
<my-component></my-component>
- Prop 的定义要详细。提交的代码中,prop 的定义应该尽量详细,至少需要指定其类型。
反例
props: ['status']
- 为你写的一般页面和组件样式设置作用域(scoped)
为什么? 组件和布局组件中的样式可以是全局的
<template>
<button class="button button-close">X</button>
</template>
<!-- 使用 `scoped` attribute -->
<style scoped>
.button-close {
background-color: red;
}
</style>
- 如果在函数内部中需要用到函数外部变量的值,需要把该变量以参数的方式传入函数,让外部参数以函数内部参数的身份去使用。
为什么?会使得数据逻辑脉络更清楚,更易追踪。
<button @click="onSendOut(params, info.orderId)">发 货</button>
|