{};"; 6. 문자열을 문자 배열로 변환합니다. 구문은 "[...string]"입니다."/> {};"; 6. 문자열을 문자 배열로 변환합니다. 구문은 "[...string]"입니다.">
es6 스프레드 연산자 사용: 1. 배열 복사, 구문 "[...array]"; 2. 배열 병합, 구문 "[...array1,...array2]"; , 구문은 "[...배열, '요소 값']"입니다. 4. 이를 Math 개체와 함께 사용하여 최대값, 최소값 또는 합계를 계산합니다. 5. 함수에 무한 매개변수를 전달합니다. 구문은 " const myFunc=( ...args)=>{};"; 6. 문자열을 문자 배열로 변환합니다. 구문은 "[...string]"입니다.
이 튜토리얼의 운영 환경: Windows 7 시스템, ECMAScript 버전 6, Dell G3 컴퓨터.
es6의 스프레드 연산자 소개
스프레드 연산자는 ... ES6에 도입되어 반복 가능한 객체를 별도의 요소로 확장합니다. 소위 반복 가능한 객체는 탐색할 수 있는 모든 반복 가능한 객체입니다. for of 루프 사용: 배열(배열의 일반적인 방법), 문자열, Map(Map 이해), Set(Set 사용 방법), DOM 노드 등
이는 나머지 매개변수의 역연산과 유사하며, 배열을 쉼표로 구분된 일련의 매개변수로 변환합니다. 확산 연산자는 일반 함수 매개변수와 함께 사용할 수 있으며 그 뒤에 표현식을 배치할 수도 있지만 뒤에 빈 배열이 오면 아무런 효과가 없습니다.
let arr = []; arr.push(...[1,2,3,4,5]); console.log(arr); //[1,2,3,4,5] console.log(1, ...[2, 3, 4], 5) //1 2 3 4 5 console.log(...(1 > 0 ? ['a'] : [])); //a console.log([...[], 1]); //[1]
의미
함수 적용 메소드 바꾸기
확산 연산자가 배열을 확장할 수 있으므로 배열을 함수의 매개변수로 변환하는 데 더 이상 적용 메소드가 필요하지 않습니다.
확산 연산자를 사용하는 10가지 이상의 방법(...
) ...
)的10+种用法
1、复制数组
我们可以使用展开操作符复制数组,不过要注意的是这是一个浅拷贝。
const arr1 = [1,2,3]; const arr2 = [...arr1]; console.log(arr2); // [ 1, 2, 3 ]
这样我们就可以复制一个基本的数组,注意,它不适用于多级数组或带有日期或函数的数组。
2、合并数组
假设我们有两个数组想合并为一个,早期间我们可以使用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];
3、向数组中添加元素
let arr1 = ['this', 'is', 'an']; arr1 = [...arr1, 'array']; console.log(arr1); // [ 'this', 'is', 'an', 'array' ]
4、向对象添加属性
假设你有一个user
的对象,但它缺少一个age
属性。
const user = { firstname: 'Chris', lastname: 'Bongers' };
要向这个user
对象添加age
,我们可以再次利用展开操作符。
const output = {...user, age: 31};
5、使用 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); // -1
同样,要获得最大值,可以这么做:
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不知道数组的最大值是什么。
6、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); }; const arr1 = [1, 2, 3]; myFunc(...arr1); // 1 // 2 // 3
7、向函数传递无限参数
假设我们有一个函数,它接受无限个参数,如下所示:
const myFunc = (...args) => { console.log(args); };
如果我们现在调用这个带有多个参数的函数,会看到下面的情况:
myFunc(1, 'a', new Date());
返回:
[ 1, 'a', Date { __proto__: Date {} } ]
然后,我们就可以动态地循环遍历参数。
8、将 nodeList 转换为数组
假设我们使用了展开运算符来获取页面上的所有p
:
const el = [...document.querySelectorAll('p')]; console.log(el); // (3) [p, p, p]
在这里可以看到我们从dom中获得了3个p
。
现在,我们可以轻松地遍历这些元素,因为它们是数组了。
const el = [...document.querySelectorAll('p')]; el.forEach(item => { console.log(item); }); // <p></p> // <p></p> // <p></p>
9、解构变量
解构对象
假设我们有一个对象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 [currentMonth, ...others] = [7, 8, 9, 10, 11, 12]; console.log(currentMonth); // 7 console.log(others); // [ 8, 9, 10, 11, 12 ]🎜 이 방법으로 기본 배열을 복사할 수 있습니다. 참고로 다단계 배열이나 날짜나 함수가 포함된 배열에서는 작동하지 않습니다. 🎜🎜🎜🎜2. 배열 병합 🎜🎜🎜🎜 두 개의 배열을 하나로 병합하려고 하면 초기에는
concat
메서드를 사용할 수 있습니다. 확산 연산자: 🎜const title = "china"; const charts = [...title]; console.log(charts); // [ 'c', 'h', 'i', 'n', 'a' ]🎜We 또한 어떤 것이 먼저 와야 하는지를 나타내는 다양한 배열이 있습니다. 🎜
const title = "china"; const short = [...title]; short.length = 2; console.log(short.join("")); // ch🎜또한 확장 연산자 기호는 여러 배열을 병합하는 데에도 적합합니다: 🎜
const arrayNumbers = [1, 5, 9, 3, 5, 7, 10, 4, 5, 2, 5]; console.log(arrayNumbers); const newNumbers = [...new Set(arrayNumbers)]; console.log(newNumbers); // [ 1, 5, 9, 3, 7, 10, 4, 2 ]🎜🎜🎜3. 배열에 요소 추가하기🎜🎜🎜
const years = [2018, 2019, 2020, 2021]; console.log(...years); // 2018 2019 2020 2021🎜🎜🎜4 객체에 속성 추가하기🎜🎜🎜🎜 사용자가 있지만
age
속성이 누락되었습니다. 🎜rrreee🎜이 user
개체에 age
를 추가하려면 스프레드 연산자를 다시 활용하면 됩니다. 🎜rrreee🎜🎜🎜5. Math() 함수를 사용하세요🎜🎜🎜🎜 숫자 배열이 있고 이 숫자의 최대값, 최소값 또는 합계를 구한다고 가정해 보세요. 🎜rrreee🎜최소값을 얻으려면 스프레드 연산자와 Math.min
메서드를 사용할 수 있습니다. 🎜rrreee🎜마찬가지로 최대값을 얻으려면 다음과 같이 하면 됩니다. 🎜rrreee🎜보시다시피 최대값은 5
이고 5
를 제거하면 3
을 반환합니다. 🎜🎜스프레드 연산자를 사용하지 않으면 어떻게 되는지 궁금하실 겁니다. 🎜rrreee🎜이것은 🎜NaN🎜을 반환합니다. 왜냐하면 JavaScript는 배열의 최대값이 무엇인지 모르기 때문입니다. 🎜🎜🎜🎜6. 나머지 매개변수 🎜🎜🎜🎜 세 개의 매개변수를 갖는 함수가 있다고 가정해 보겠습니다. 🎜rrreee🎜 이 함수를 다음과 같이 호출할 수 있습니다: 🎜rrreee🎜 하지만 배열을 전달하려는 경우에는 어떻게 되나요? 🎜rrreee🎜스프레드 연산자를 사용하여 이 배열을 함수로 확장할 수 있습니다. 🎜rrreee🎜여기에서는 배열을 세 개의 개별 매개변수로 분할하여 함수에 전달합니다. 🎜rrreee🎜🎜🎜7. 함수에 무제한 매개변수 전달 🎜🎜🎜🎜 다음과 같이 무제한 매개변수를 허용하는 함수가 있다고 가정해 보겠습니다. 🎜rrreee🎜이제 여러 매개변수를 사용하여 이 함수를 호출하면 다음과 같은 상황이 표시됩니다. 🎜rrreee🎜는 다음을 반환합니다. 🎜rrreee🎜 그런 다음 매개 변수를 동적으로 반복할 수 있습니다. 🎜🎜🎜🎜8. nodeList를 배열로 변환 🎜🎜🎜🎜 페이지의 모든 p
를 얻기 위해 스프레드 연산자를 사용한다고 가정합니다. 🎜rrreee🎜여기서 dom 3 p. 🎜🎜이제 이러한 요소는 배열이므로 쉽게 반복할 수 있습니다. 🎜rrreee🎜🎜🎜9. 변수 구조 분해 🎜🎜🎜🎜🎜 객체 구조 분해 🎜🎜🎜 user
객체가 있다고 가정합니다. 🎜rrreee🎜 이제 스프레드 연산자를 사용하여 이를 개별 변수로 분해할 수 있습니다. . 🎜rrreee🎜여기서 user
개체를 구조 해제하고 firstname
을 firstname
변수로 구조 해제하고 나머지 개체를 Rest변수입니다. 🎜<p><strong>解构数组</strong></p><pre class="brush:php;toolbar:false">const [currentMonth, ...others] = [7, 8, 9, 10, 11, 12];
console.log(currentMonth); // 7
console.log(others); // [ 8, 9, 10, 11, 12 ]</pre><p><span style="font-size: 18px;"><strong>10、展开字符串(字符串转字符数组)</strong></span></p>
<p>String 也是一个可迭代对象,所以也可以使用扩展运算符 ... 将其转为字符数组,如下:</p>
<pre class="brush:php;toolbar:false">const title = "china";
const charts = [...title];
console.log(charts); // [ 'c', 'h', 'i', 'n', 'a' ]</pre>
<p>进而可以简单进行字符串截取,如下:</p>
<pre class="brush:php;toolbar:false">const title = "china";
const short = [...title];
short.length = 2;
console.log(short.join("")); // ch</pre>
<p><span style="font-size: 18px;"><strong>11、数组去重</strong></span></p>
<p>与 Set 一起使用消除数组的重复项,如下:</p><pre class="brush:php;toolbar:false">const arrayNumbers = [1, 5, 9, 3, 5, 7, 10, 4, 5, 2, 5];
console.log(arrayNumbers);
const newNumbers = [...new Set(arrayNumbers)];
console.log(newNumbers); // [ 1, 5, 9, 3, 7, 10, 4, 2 ]</pre><p><img src="https://img.php.cn/upload/image/299/731/678/1665481190710066.png" title="1665481190710066.png" alt="es6에서 스프레드 연산자를 사용하는 방법"></p>
<p><strong><span style="font-size: 18px;">12、打印日志</span></strong></p>
<p>在打印可迭代对象的时候,需要打印每一项可以使用扩展符,如下:</p><pre class="brush:php;toolbar:false">const years = [2018, 2019, 2020, 2021];
console.log(...years); // 2018 2019 2020 2021</pre><p>【相关推荐:<a href="https://www.php.cn/course/list/1.html" target="_blank" textvalue="web前端开发">web前端开发</a>】</p>
위 내용은 es6에서 스프레드 연산자를 사용하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!