1、將arguments對象轉換為數組
arguments 對象是函數內部可訪問的類似數組的對象,其中包含傳遞給該函數的參數的值。
但這與其他數組不同,我們可以訪問值并獲取長度,但是不能對其使用其他數組方法。
幸運的是,我們可以把它轉換成一個常規數組:
var argArray = Array.prototype.slice.call(arguments);
2、對數組中的所有值求和
我最初的直覺是使用循環,但是那樣做太費事了。
var numbers = [3, 5, 7, 2];
var sum = numbers.reduce((x, y) => x + y);
console.log(sum); // returns 17
3、條件短路
我們有以下代碼:
if (hungry) {
goToFridge();
}等價下面
通過將變量與函數一起使用,我們可以使其更短:
hungry && goToFridge()
4、對條件使用邏輯或 ||
我過去常常在函數的開頭聲明自己的變量,以避免在出現任何意外錯誤時出現 undefined 的情況。
function doSomething(arg1){
arg1 = arg1 || 32; // if it's not already set, arg1 will have 32 as a default valu
}
5、逗號運算符
逗號運算符( ,)可以評估其每個操作數(從左到右)并返回最后一個操作數的值。
let x = 1;
x = (x++, x);
console.log(x);
// expected output: 2
x = (2, 3);
console.log(x);
// expected output: 3
6、使用length調整數組大小
我們可以使用length屬性來調整數組大小或清空數組
var array = [11, 12, 13, 14, 15];
console.log(array.length); // 5
array.length = 3;
console.log(array.length); // 3
console.log(array); // [11,12,13]
array.length = 0;
console.log(array.length); // 0
console.log(array); // []
7、使用數組解構交換值
解構賦值語法是一種 JAVAScript 表達式,可以將數組中的值或對象中的屬性解壓縮為不同的變量。
let a = 1, b = 2
[a, b] = [b, a]
console.log(a) // -> 2
console.log(b) // -> 1
8、隨機排列數組中的元素
每天我都在隨機排列
隨機排列,隨機排列
var list = [1, 2, 3, 4, 5, 6, 7, 8, 9];
console.log(list.sort(function() {
return Math.random() - 0.5
}));
// [4, 8, 2, 9, 1, 3, 6, 5, 7]
9、屬性名稱可以是動態的
你可以在聲明對象之前分配動態屬性。
const dynamic = 'color';
var item = {
brand: 'Ford',
[dynamic]: 'Blue'
}
console.log(item);
// { brand: "Ford", color: "Blue" }
10、過濾唯一值
對于所有ES6愛好者,我們可以通過使用帶有擴展運算符(spread)的Set對象來創建一個僅包含唯一值的新數組。
const my_array = [1, 2, 2, 3, 3, 4, 5, 5]
const unique_array = [...new Set(my_array)];
console.log(unique_array); // [1, 2, 3, 4, 5]