JS中使⽤扩展运算符的10种⽅法复制数组
我们可以使⽤展开操作符复制数组,不过要注意的是这是⼀个浅拷贝。
const arr1 = [1,2,3];
const arr2 = [...arr1];
console.log(arr2);
// [ 1, 2, 3 ]
这样我们就可以复制⼀个基本的数组,注意,它不适⽤于多级数组或带有⽇期或函数的数组。
合并数组
假设我们有两个数组想合并为⼀个,早期间我们可以使⽤concat⽅法,但现在可以使⽤展开操作符:const arr1 = [1,2,3];
const arr2 = [4,5,6];
const arr3 = [...arr1, ...arr2];
console.log(arr3);
// [ 1, 2, 3, 4, 5, 6 ]
我们还可以通过不同的排列⽅式来说明哪个应该先出现。
const arr3 = [...arr2, ...arr1];
console.log(arr3);
[4, 5, 6, 1, 2, 3];
此外,展开运算符号还适⽤多个数组的合并:
const output = [...arr1, ...arr2, ...arr3, ...arr4];
向数组中添加元素
let arr1 = ['this', 'is', 'an'];
arr1 = [...arr1, 'array'];
console.log(arr1);
// [ 'this', 'is', 'an', 'array' ]
向对象添加属性
假设你有⼀个user 的对象,但它缺少⼀个age属性。
const user = {
firstname: 'Chris',
lastname: 'Bongers'
};
要向这个user对象添加age,我们可以再次利⽤展开操作符。
const output = {...user, age: 31};
使⽤ Math() 函数
假设我们有⼀个数字数组,我们想要获得这些数字中的最⼤值、最⼩值或者总和。
const arr1 = [1, -1, 0, 5, 3];
为了获得最⼩值,我们可以使⽤展开操作符和 Math.min ⽅法。
const arr1 = [1, -1, 0, 5, 3];
const min = Math.min(...arr1);
console.log(min);
同样,要获得最⼤值,可以这么做:
const arr1 = [1, -1, 0, 5, 3];
const max = Math.max(...arr1);
console.log(max);
// 5
如⼤家所见,最⼤值5,如果我们删除5,它将返回3。
你可能会好奇,如果我们不使⽤展开操作符会发⽣什么?
const arr1 = [1, -1, 0, 5, 3];
const max = Math.max(arr1);
console.log(max);
// NaN
这会返回NaN,因为JavaScript不知道数组的最⼤值是什么。
rest 参数
假设我们有⼀个函数,它有三个参数。
const myFunc(x1, x2, x3) => {
console.log(x1);
console.log(x2);
console.log(x3);
}
我们可以按以下⽅式调⽤这个函数:
myFunc(1, 2, 3);
但是,如果我们要传递⼀个数组会发⽣什么。
const arr1 = [1, 2, 3];
我们可以使⽤展开操作符将这个数组扩展到我们的函数中。myFunc(...arr1);
// 1
// 2
// 3
这⾥,我们将数组分为三个单独的参数,然后传递给函数。const myFunc = (x1, x2, x3) => {
console.log(x1);
console.log(x2);
console.log(x3);
chrome浏览器是啥浏览器};
const arr1 = [1, 2, 3];
myFunc(...arr1);
// 1
// 2
// 3
向函数传递⽆限参数
假设我们有⼀个函数,它接受⽆限个参数,如下所⽰:
const myFunc = (...args) => {
console.log(args);
};
如果我们现在调⽤这个带有多个参数的函数,会看到下⾯的情况: myFunc(1, 'a', new Date());
返回:
[
1,
'a',
__proto__: Date {}
}
]
然后,我们就可以动态地循环遍历参数。
将 nodeList 转换为数组
假设我们使⽤了展开运算符来获取页⾯上的所有div:
const el = [...document.querySelectorAll('div')];
console.log(el);
// (3) [div, div, div]
在这⾥可以看到我们从dom中获得了3个div。
现在,我们可以轻松地遍历这些元素,因为它们是数组了。
const el = [...document.querySelectorAll('div')];
el.forEach(item => {
console.log(item);
});
// <div></div>
// <div></div>
// <div></div>
解构对象
假设我们有⼀个对象user:
const user = {
firstname: 'Chris',
lastname: 'Bongers',
age: 31
};
现在,我们可以使⽤展开运算符将其分解为单个变量。
const {firstname, ...rest} = user;
console.log(firstname);
console.log(rest);
// 'Chris'
// { lastname: 'Bongers', age: 31 }
这⾥,我们解构了user对象,并将firstname解构为firstname变量,将对象的其余部分解构为rest变量。展开字符串
展开运算符的最后⼀个⽤例是将⼀个字符串分解成单个单词。
假设我们有以下字符串:
const str = 'Hello';
然后,如果我们对这个字符串使⽤展开操作符,我们将得到⼀个字母数组。
const str = 'Hello';
const arr = [...str];
console.log(arr);
// [ 'H', 'e', 'l', 'l', 'o' ]
版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。
发表评论