JavaScript는 데이터 작업을 훨씬 쉽게 해주는 강력한 내장형 배열 메서드 세트를 제공합니다.
이 게시물에서는 일반적으로 사용되는 네 가지 배열 메서드인 concat(), reverse(), fill() 및 Join()을 살펴보겠습니다.
이러한 각 방법은 다양한 방식으로 배열을 조작하는 데 유용한 도구입니다. 뛰어들어 보세요!
아직 이전 게시물을 읽지 않으셨다면 Part 1에서 더 유용한 배열 기술을 확인하세요! 이를 통해 훨씬 더 강력한 배열 방법에 대한 전체 개요를 얻을 수 있습니다.
concat() 메서드를 사용하면 여러 배열이나 값을 새 배열로 병합할 수 있습니다. 원래 배열을 수정하지 않고 결합된 내용으로 새 배열을 반환합니다.
arr.concat(value1, value2, ...);
인수가 배열인 경우 해당 배열의 모든 요소가 복사됩니다. 그렇지 않으면 인수 자체가 복사됩니다.
const arr = [1, 2]; // Merging arr with another array [3, 4] const arr1 = arr.concat([3, 4]); console.log(arr1); // Output: [1, 2, 3, 4] // Merging arr with two arrays [3, 4] and [5, 6] const arr2 = arr.concat([3, 4], [5, 6]); console.log(arr2); // Output: [1, 2, 3, 4, 5, 6] // Merging arr with two arrays and additional values 5 and 6 const arr3 = arr.concat([3, 4], 5, 6); console.log(arr3); // Output: [1, 2, 3, 4, 5, 6]
reverse() 메서드는 원래 배열의 요소 순서를 반대로 바꿉니다. 다른 배열 메소드와 달리 reverse()는 원래 배열을 그 자리에서 수정하고 이를 반환합니다.
arr.reverse();
const arr = [1, 2, 3, 4, 5]; // Reverses the array in place and returns the reversed array const reversedArr = arr.reverse(); console.log(reversedArr); // Output: [5, 4, 3, 2, 1] // Original array is also reversed console.log(arr); // Output: [5, 4, 3, 2, 1]
fill() 메소드는 배열의 모든 요소를 지정된 값으로 채웁니다. 이는 변경자 메서드입니다. 즉, 원래 배열을 수정하고 업데이트된 버전을 반환합니다.
arr.fill(value, start, end)
중요: 끝 색인은 포함되지 않으며 배타적인 경계 역할을 합니다. 이는 끝 인덱스에 있는 요소 바로 앞에서 채우기가 중지됨을 의미합니다.
const nums1 = [15, 27, 19, 2, 1]; const nums2 = [25, 28, 34, 49]; const nums3 = [8, 9, 3, 7]; // Fill all elements with 5 const newNums1 = nums1.fill(5); console.log(nums1); // Output: [5, 5, 5, 5, 5] console.log(newNums1); // Output: [5, 5, 5, 5, 5] // Fill elements from index 1 to 3 with 25 nums2.fill(25, 1, 3); console.log(nums2); // Output: [25, 25, 25, 49] // Fill elements from index -2 to end with 15 (negative index counts from the end) nums3.fill(15, -2); console.log(nums3); // Output: [8, 9, 15, 15]
join() 메소드는 배열의 모든 요소를 단일 문자열로 결합합니다. 기본적으로 요소는 쉼표로 구분되지만 사용자 정의 구분 기호를 지정할 수 있습니다.
arr.join(separator);
const movies = ["Animal", "Jawan", "Pathaan"]; // Join elements with a custom separator " | " const moviesStr = movies.join(" | "); console.log(moviesStr); // Output: "Animal | Jawan | Pathaan" // The original array remains unchanged console.log(movies); // Output: ["Animal", "Jawan", "Pathaan"] // Join elements with no separator const arr = [2, 2, 1, ".", 4, 5]; console.log(arr.join("")); // Output: "221.45" // Join elements with a custom separator " and " const random = [21, "xyz", undefined]; console.log(random.join(" and ")); // Output: "21 and xyz and "
concat(), reverse(), fill() 및 Join() 메서드는 JavaScript에서 배열 작업을 위한 강력한 도구입니다.
이러한 방법은 효과적인 배열 조작에 필수적이며 코드를 더 깔끔하고 효율적으로 만드는 데 도움이 될 수 있습니다.
위 내용은 모든 개발자가 마스터해야 하는 avaScript 배열 방법(2부)의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!