Java - 배열을 둘로 나누기, 분리, 분할하기

1개의 배열을 둘로 나누는 방법을 소개합니다. 예를 들어 배열이 요소 8개를 갖고 있을 때, 이 배열을 둘로 분리하여 각각 요소 4개씩 갖고 있게 만들 수 있습니다.

1. Arrays.copyOfRange()로 배열 자르기, 분리하기

Arrays.copyOfRange(arr, from, to)는 배열 arr의 Index from부터 to까지 복사합니다. 주의할 점은 to는 포함되지 않으며 직전 Index까지 복사됩니다.

아래 예제에서 배열 arr은 6개의 요소를 갖고 있는데, 요소 4개와 요소 2개의 배열로 분리한다면 아래와 같이 구현할 수 있습니다. copyOfRange(arr, 0, 4), copyOfRange(arr, 4, 6)으로 나눠서 복사하면 됩니다.

import java.util.Arrays;

public class Example1 {

    public static void main(String[] args) {

        String[] arr = {"a", "b", "c", "d", "e", "f"};

        int index = 3;

        // Copy index 0, 1, 2, 3 to newArr1
        String[] newArr1 = Arrays.copyOfRange(arr, 0, index + 1);

        // Copy index 4, 5 to newArr2
        String[] newArr2 = Arrays.copyOfRange(arr, index + 1, arr.length);

        System.out.println(Arrays.asList(newArr1));
        System.out.println(Arrays.asList(newArr2));
    }
}

Output:

[a, b, c, d]
[e, f]

2. System.arraycopy()로 배열 자르기, 분리하기

System.arraycopy(srcArr, srcPos, destArr, destPos, length)는 srcArr의 destArr로 복사하는데 srcArr의 srcPos부터 복사를 시작합니다. 복사되는 위치는 destArr의 destPos Index부터입니다. 복사하는 길이는 length로 인자를 전달하면 됩니다.

System.arraycopy()의 자세한 API 사용 방법은 Java - 배열 복사 (deep copy)를 참고해주세요.

System.arraycopy()를 사용하면 아래와 같이 구현하여 배열을 분리할 수 있습니다.

import java.util.Arrays;

public class Example {

    public static void main(String[] args) {

        String[] arr = {"a", "b", "c", "d", "e", "f"};

        int index = 3;

        int sizeNewArr1 = index + 1;
        int sizeNewArr2 = arr.length - sizeNewArr1;
        String[] newArr1 = new String[sizeNewArr1];
        String[] newArr2 = new String[sizeNewArr2];

        // Copy index 0, 1, 2, 3 to newArr1
        System.arraycopy(arr, 0, newArr1, 0, sizeNewArr1);

        // Copy index 4, 5 to newArr2
        System.arraycopy(arr, index + 1, newArr2, 0, sizeNewArr2);

        System.out.println(Arrays.asList(newArr1));
        System.out.println(Arrays.asList(newArr2));
    }
}

Output:

[a, b, c, d]
[e, f]
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha