1.ES6的解构赋值虽然好用。但是要注意解构的对象不能为undefined、null。
否则会报错,故要给被解构的对象一个默认值。
const {a,b,c,d,e} = obj || {};
2.合并数据
合并数组使用:
const a = [1,2,3]; const b = [1,5,6]; const c = [...new Set([...a,...b])];//[1,2,3,5,6]
合并对象使用:
const obj1 = { a:1, } const obj2 = { b:1, } const obj = {...obj1,...obj2};//{a:1,b:1}
3.字符串拼接
在${}
中可以放入任意的JavaScript表达式,可以进行运算,以及引用对象属性。
const name = '小明'; const score = 59; const result = `${name}${score > 60?'的考试成绩及格':'的考试成绩不及格'}`;
4.if条件判断
const condition = [1,2,3,4]; if( condition.includes(type) ){ //... }
5.数组搜索
find方法中找到符合条件的项,就不会继续遍历数组。
const a = [1,2,3,4,5]; const result = a.find( item =>{ return item === 3 } )
6.快速获取对象数组values集合
const deps = { '采购部':[1,2,3], '人事部':[5,8,12], '行政部':[5,14,79], '运输部':[3,64,105], } let member = Object.values(deps).flat(Infinity);
备注:其中使用Infinity作为flat的参数,使得无需知道被扁平化的数组的维度。
7.获取对象属性值
一般人用:const name = obj && obj.name;
更好的写法:const name = obj?.name;
8.添加对象变量属性:
ES6中的对象属性名是可以用表达式
一般人的写法:
let obj = {}; let index = 1; let key = `topic${index}`; obj[key] = '话题内容';
更好的写法:
let obj = {}; let index = 1; obj[`topic${index}`] = '话题内容';
9.输入框非空的判断
在处理输入框相关业务时,往往会判断输入框未输入值的场景。
一般这么写(此时要考虑值为0的情况):
if(value !== null && value !== undefined && value !== ''){ //... }
更好的写法:
if(value??'' !== ''){ //... }
10.解决异步函数回调问题
不好的写法:
const fn1 = () =>{ return new Promise((resolve, reject) => { setTimeout(() => { resolve(1); }, 300); }); } const fn2 = () =>{ return new Promise((resolve, reject) => { setTimeout(() => { resolve(2); }, 600); }); } const fn = () =>{ fn1().then(res1 =>{ console.log(res1);// 1 fn2().then(res2 =>{ console.log(res2) }) }) } 更好的写法: const fn = async () =>{ const res1 = await fn1(); const res2 = await fn2(); console.log(res1);// 1 console.log(res2);// 2 }
补充:
但是要做并发请求时,还是要用到Promise.all()。
const fn = () =>{ Promise.all([fn1(),fn2()]).then(res =>{ console.log(res);// [1,2] }) }
如果并发请求时,只要其中一个异步函数处理完成,就返回结果,要用到
Promise.race()