// bad
if (a === 'a') {
b = true;
} else {
b = false;
}
// good
b = a === 'a';
// best
b = (a === 'a');
// bad
if (a === 'a') {
b = a;
} else {
b = c;
}
// good
b = a === 'a' ? a : c;
// best
b = (a === 'a' ? a :c);
const obj = {
name : 'flten',
age : 24,
};
// bad
let name = obj.name;
// good
// 缺点:由于 || 是一个布尔逻辑运算符,左侧的操作数会被强制转换成布尔值用于求值。任何假值(0, '', NaN, null, undefined)都不会被返回。这导致如果你使用0,''或NaN作为有效值,就会出现不可预料的后果
let name = obj.name || 'wall';
// best 空值合并操作符
// 优点:只在第一个操作数为null 或 undefined 时(而不是其它假值)返回第二个操作数
let name = obj.name ?? 'wall';
const obj = {
name : 'flten',
age : 24,
address : {
city : 'BeiJing',
}
}
// bad
let city = obj.address.city;
// good
let city = obj.address && obj.address.city;
// best 使用可选链操作符
let city = obj?.address?.city;
const obj = {
name : 'flten',
age : 24,
};
// bad
let {name, age} = obj;
// good
let {name = 'wall', age = 24} = obj;
// best 要注意解构的对象不能为undefined、null,因此要给一个兜底的默认值
let {name = 'wall', age = 24} = obj || {};
// bad
getData (data) {
this.name = data.name;
this.age = data.age;
};
// good 可以同时设置默认值
getData ({name = 'flten', age = 24}) {
this.name = name;
this.age = age;
};
// bad
getData ({this_is_name = 'flten', this_is_age = 24}) {
this.name = this_is_name;
this.age = this_is_age;
};
// good
getData ({this_is_name : name = 'flten', this_is_age : age = 24}) {
this.name = name;
this.age = age;
};
let num1 = 10, num2 = 20;
// bad
let temp = num1;
a = b;
b = temp;
// good
[a, b] = [b, a];
let a = 1;
// bad
if (a === 1 || a === 2 || a === 3){
// ...
}
// good
const arr = [1, 2, 3];
if (arr.includes(a)) {
// ...
}
const arr = [1, 2, 3, 4, 5];
// bad
function hasNumber(n, arr){
for (let i = 0; i < arr.length; i++) {
if (arr[i] === n) return true;
};
return false;
};
// good
let hasNumber = (n, arr) => arr.some(num => num === n);
const arr = [1, 2, 3, 4, 5];
// bad;
const newArray = [];
for (let i = 0; i < arr.length; i++) {
if (arr[i] > 3) newArray.push(arr[i]);
}
// good
const newArray = arr.filter(n => n > 3);
const arr = [1, 2, 3, 4, 5];
const result = arr.find( item =>{ return item === 3} ); // 3
const arr = [1, 2, 3, 4, 5];
// bad
const newArr = [];
for (let i = 0;i < arr.length;i++){
newArr.push(arr[i] + 1);
}
// good
const newArr = arr.map(n => n + 1);
const arr = [1, 2, 3, 4, 5];
// bad
function isInculdes(n, arr) {
return arr.includes(function (num) {
return n === num;
})
}
// good
let isInculdes = (n, arr) => arr.inculdes(num => num === n);
const arr = [1, 2, 3, 4, 5];
// bad
for (let i=0;i < arr.length;i++) {
++arr[i];
}
// good
arr.forEach((item, index) => ++arr[index] );
const obj = {
name : 'flten',
age : 24,
}
// bad
const values = [];
for (key in obj) {
values.push(obj[key]);
};
// good
const values = Object.values(obj);
const obj = {
name : 'flten',
age : 24,
}
// bad
const keys = [];
for (key in obj) {
keys.push(key);
};
// good
const keys = Object.keys(obj);
const a = [1, 2, 3];
const b = [3, 5, 6];
// bad
// 缺点:没有去重
const c = a.concat(b); // [1,2,3,3,5,6]
// good
const c = [...new Set([...a, ...b])]; // [1,2,3,5,6]
const obj1 = {a:1,};
const obj2 = {b:2,};
// bad
const obj3 = Object.assign({},obj1,obj2); // {a:1, b:2}
// good
const obj3 = {...obj1, ...obj2}; // {a:1, b:2}
const name = 'flten';
const age = 24;
let result = '';
// bad
if (age > 18){
result = `${name}成年了`;
} else {
result = `${name}还未成年`;
}
// good
// ${}中可以放入任意的JavaScript表达式,可以进行运算,以及引用对象属性
result = `${name}${age > 18 ? '成年了' : '还未成年'}`;
const deps = {
'a':[1,2,3],
'b':[3,4,5],
'c':[5,6,7],
'd':[7,8,9],
}
// good
let res = [Object.values(deps).flat(Infinity)]; // [1, 2, 3, 3, 4, 5, 5, 6, 7, 7, 8, 9]
// best 去重
let res = [...new Set(Object.values(deps).flat(Infinity))]; // [1, 2, 3, 4, 5, 6, 7, 8, 9]
const fn1 = () =>{
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve(1);
}, 300);
});
}
const fn2 = () =>{
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve(2);
}, 600);
});
};
// bad
const fn = () =>{
fn1().then(res1 =>{
console.log(res1);// 1
fn2().then(res2 =>{
console.log(res2)
})
})
};
// good
const fn = async () =>{
const res1 = await fn1();
const res2 = await fn2();
console.log(res1);// 1
console.log(res2);// 2
}
let obj = {};
let order = 1;
// bad 需要额外创建一个变量
let content = `lang${index}`;
obj[key] = 'javascript';
// good 不额外创建变量
obj[`lang${index}`] = 'javascript';
// bad
if (value.length < 8) { // 容易产生疑惑,8代表什么呢?
....
}
// good
const MAX_INPUT_LENGTH = 8;
if (value.length < MAX_INPUT_LENGTH) { // 常量名说明,明确表示是不能超过都最大输入长度
....
}
// 这样的传参无法让人知道true和false代表什么
page.getSVG(api, true, false);
// good
page.getSVG({
imageApi: api,
isIncludePageBackground: true,
isCompress: false,
})
// 分支过多
if (a === 1) {
...
} else if (a === 2) {
...
} else if (a === 3) {
...
} else {
...
}
// good
switch(a) {
case 1:
....
case 2:
....
case 3:
....
default:
....
}
// best
let handler = {
1: () => {....},
2: () => {....}.
3: () => {....},
default: () => {....}
}
handler[n]() || handler['default']()
// bad 使用 ==
"" == false // true == 运算符在判断相等前对两边的变量(如果它们不是同一类型)进行强制转换,应该避免使用
// good 使用 ===
+0 === -0 // true ===比==好一点,但是将数字 -0 和 +0 视为相等
NaN === NaN // false 将Number.NaN 与NaN视为不相等
// best 使用Object.is(),会正确的判断两个值是否为同一个值
Object.is(+0, -0) // false
Object.is(NaN, NaN) // true
// bad 数字太长时候能看出来这是多少吗?
const num = 1000000000;
// good 使用数字分割符就清晰很多了
const num = 1_000_000_000;
console.log()
的hack技能
const name = 'flten';
// 最普通的
console.log(name); // 'flten'
// 使用变量包装,可以打印出变量名和变量值
console.log({name}); // {name: 'flten'}
// 设置打印的样式 %c 是标识符,需要加的
console.log(`%c ${name}`,'color:red;font-size:24px'); // 效果很神奇
console.table
const obj = {
a : 'a',
b : 'b'
};
// 最普通的方式
console.log(obj); // {a: 'a', b: 'b'}
// 使用console.table 你会在控制台得到一个表格
console.table(obj);
// 更好是示例
// 来源于忘记出处的公众号
const users = [
{
"first_name":"Harcourt",
"last_name":"Huckerbe",
"gender":"Male",
"city":"Linchen",
"birth_country":"China"
},
{
"first_name":"Allyn",
"last_name":"McEttigen",
"gender":"Male",
"city":"Ambelókipoi",
"birth_country":"Greece"
},
{
"first_name":"Sandor",
"last_name":"Degg",
"gender":"Male",
"city":"Mthatha",
"birth_country":"South Africa"
}
]
console.table(users, ['first_name', 'last_name', 'city']);
console.assert()
断言输出
const age = 24;
// 只有条件为false时,才会输出
console.assert(age > 30, "老了..."); // Assertion failed: 老了...
console.assert(age > 18, "成年了..."); // undefined
console.count()
统计打印的次数
console.count('fltenwall'); // 1
console.count('fltenwall'); // 2
console.count('fltenwall'); // 3
console.count('fltenwall'); // 4
console.count('fltenwall'); // 5
// 如果添加的事件监听器只运行一次,可以使用 once 选项
element.addEventListener('click', () => console.log('flten'), {
once: true
});
document.addEventListener('mousemove', (e) => {
console.log(`Mouse X: ${e.clientX}, Mouse Y: ${e.clientY}`);
});
<div id="user" data-name="flten" data-age="24">
...
</div>
<script>
const user = document.getElementById('user');
console.log(user.dataset); // { name: "flten", age: "24" }
console.log(user.dataset.name); // "flten"
console.log(user.dataset.age); // "24"
</script>
// true 表示移动浏览器
const isPhoneBrower = navigator.userAgent.includes('AppleWebKit');
const forbidCopyPaste = document.getElementById('forbidArea');
forbidCopyPaste.oncopy = () => { return false };
forbidCopyPaste.onpaste = () => { return false };
<input type="text" id="forbidCopyPaste" />