[javascript] 배열에서 하위 배열을 얻는 방법?

나는 var ar = [1, 2, 3, 4, 5]어떤 함수를 갖고 싶다 getSubarray(array, fromIndex, toIndex). 그 결과 getSubarray(ar, 1, 3)는 새로운 배열 [2, 3, 4]이다.



답변

보세요 Array.slice(begin, end)

const ar  = [1, 2, 3, 4, 5];

// slice from 1..3 - add 1 as the end index is not included

const ar2 = ar.slice(1, 3 + 1);

console.log(ar2);


답변

의 간단한 사용을 slice위해 내 확장을 배열 클래스로 사용하십시오.

Array.prototype.subarray = function(start, end) {
    if (!end) { end = -1; } 
    return this.slice(start, this.length + 1 - (end * -1));
};

그때:

var bigArr = ["a", "b", "c", "fd", "ze"];

시험 1 :

bigArr.subarray(1, -1);

<[ “b”, “c”, “fd”, “ze”]

테스트 2 :

bigArr.subarray(2, -2);

<[ “c”, “fd”]

테스트 3 :

bigArr.subarray(2);

<[ “c”, “fd”, “ze”]

다른 언어 (예 : Groovy)에서 온 개발자가 더 쉬울 수 있습니다.


답변

const array_one = [11, 22, 33, 44, 55];
const start = 1;
const end = array_one.length - 1;
const array_2 = array_one.slice(start, end);
console.log(array_2);


답변

질문 은 실제로 New array을 요구 하므로 Abdennour TOUMI의 답변 을 복제 함수와 결합하는 것이 더 나은 해결책이라고 생각 합니다.

function clone(obj) {
  if (null == obj || "object" != typeof obj) return obj;
  const copy = obj.constructor();
  for (const attr in obj) {
    if (obj.hasOwnProperty(attr)) copy[attr] = obj[attr];
  }
  return copy;
}

// With the `clone()` function, you can now do the following:

Array.prototype.subarray = function(start, end) {
  if (!end) {
    end = this.length;
  } 
  const newArray = clone(this);
  return newArray.slice(start, end);
};

// Without a copy you will lose your original array.

// **Example:**

const array = [1, 2, 3, 4, 5];
console.log(array.subarray(2)); // print the subarray [3, 4, 5, subarray: function]

console.log(array); // print the original array [1, 2, 3, 4, 5, subarray: function]

[ http://stackoverflow.com/questions/728360/most-elegant-way-to-clone-a-javascript-object]


답변