原文 - Learn these neat JavaScript tricks in less than 5 minutes
一些日常開發技巧,意譯了。
清空和截短陣列
最簡單的清空和截短陣列的方法就是改變 length
屬性:
const arr = [11, 22, 33, 44, 55, 66];
// 擷取
arr.length = 3;
console.log(arr); //=> [11, 22, 33];
// 清空
arr.length = 0;
console.log(arr); //=> []
console.log(arr[2]); //=> undefined
複製程式碼
使用物件結構模擬命名引數
以前,當我們希望向一個函式傳遞多個引數時,可能會採用配置物件
的模式:
doSomething({ foo: 'Hello', bar: 'Hey!', baz: 42 });
function doSomething(config) {
const foo = config.foo !== undefined ? config.foo : 'Hi';
const bar = config.bar !== undefined ? config.bar : 'Yo!';
const baz = config.baz !== undefined ? config.baz : 13;
// ...
}
複製程式碼
這是一個古老但是有效的模式,有了 ES2015
的物件結構,你可以這樣使用:
function doSomething({ foo = 'Hi', bar = 'Yo!', baz = 13 }) {
// ...
}
複製程式碼
如果你需要這個配置物件
引數變成可選的,也很簡單:
function doSomething({ foo = 'Hi', bar = 'Yo!', baz = 13 } = {}) {
// ...
}
複製程式碼
陣列的物件解構
使用物件解構將陣列項賦值給變數:
const csvFileLine = '1997,John Doe,US,john@doe.com,New York';
const { 2: country, 4: state } = csvFileLine.split(',');
複製程式碼
注:本例中,
2
為split
之後的陣列下標,country
為指定的變數,值為US
switch
語句中使用範圍
這是一個在 switch
語句中使用範圍的例子:
function getWaterState(tempInCelsius) {
let state;
switch (true) {
case (tempInCelsius <= 0):
state = 'Solid';
break;
case (tempInCelsius > 0 && tempInCelsius < 100):
state = 'Liquid';
break;
default:
state = 'Gas';
}
return state;
}
複製程式碼
await
多個 async
函式
await
多個 async
函式並等待他們執行完成,我們可以使用 Promise.all
:
await Promise.all([anAsyncCall(), thisIsAlsoAsync(), oneMore()])
複製程式碼
建立純物件
你可以建立一個 100% 的純物件,這個物件不會繼承 Object
的任何屬性和方法(比如 constructor
,toString()
等):
const pureObject = Object.create(null);
console.log(pureObject); //=> {}
console.log(pureObject.constructor); //=> undefined
console.log(pureObject.toString); //=> undefined
console.log(pureObject.hasOwnProperty); //=> undefined
複製程式碼
格式化 JSON
程式碼
JSON.stringify
不僅可以字串
化物件,它也可以格式化你的 JSON
輸出:
const obj = {
foo: { bar: [11, 22, 33, 44], baz: { bing: true, boom: 'Hello' } }
};
// 第三個引數為格式化需要的空格數目
JSON.stringify(obj, null, 4);
// =>"{
// => "foo": {
// => "bar": [
// => 11,
// => 22,
// => 33,
// => 44
// => ],
// => "baz": {
// => "bing": true,
// => "boom": "Hello"
// => }
// => }
// =>}"
複製程式碼
移除陣列重複項
使用 ES2015
和擴充套件運算子,你可以輕鬆移除陣列中的重複項:
const removeDuplicateItems = arr => [...new Set(arr)];
removeDuplicateItems([42, 'foo', 42, 'foo', true, true]);
//=> [42, "foo", true]
複製程式碼
注:只適用於陣列內容為
基本資料型別
扁平化多維陣列
使用擴充套件運算子可以快速扁平化陣列:
const arr = [11, [22, 33], [44, 55], 66];
const flatArr = [].concat(...arr); //=> [11, 22, 33, 44, 55, 66]
複製程式碼
不幸的是,上面的技巧只能適用二維陣列
,但是使用遞迴,我們可以扁平化任意緯度陣列:
function flattenArray(arr) {
const flattened = [].concat(...arr);
return flattened.some(item => Array.isArray(item)) ?
flattenArray(flattened) : flattened;
}
const arr = [11, [22, 33], [44, [55, 66, [77, [88]], 99]]];
const flatArr = flattenArray(arr);
//=> [11, 22, 33, 44, 55, 66, 77, 88, 99]
複製程式碼
就這些,希望上面這些優雅的技巧可能幫助你編寫更漂亮的JavaScript
。