Java - 여러 배열을 하나로 합치기

자바에서 두개 이상의 배열을 하나로 합치는 방법을 소개합니다.

  • 반복문으로 여러 배열을 하나로 병합
  • Commons-lang3 라이브러리로 배열 병합
  • Stream으로 여러 배열을 하나로 합치기

1. 반복문으로 여러 배열을 하나로 병합

반복문을 이용하여 두개 이상의 배열을 하나로 합칠 수 있습니다. Array.arraycopy()로 깊은 복사를 합니다.

import java.lang.reflect.Array;
import java.util.Arrays;

public class JoinArrays {

    public static void main(String[] args) {

        String[] arr1 = {"a", "b", "c", "d", "e"};
        String[] arr2 = {"1", "2", "3", "4", "5"};

        String[] result = joinArrays(arr1, arr2);

        System.out.println(Arrays.asList(result));
    }

    public static String[] joinArrays(String[]... arrays) {
        int len = 0;
        for (String[] array : arrays) {
            len += array.length;
        }

        String[] result = (String[]) Array.newInstance(String.class, len);

        int offset = 0;
        for (String[] array : arrays) {
            System.arraycopy(array, 0, result, offset, array.length);
            offset += array.length;
        }

        return result;
    }
}

Output:

[a, b, c, d, e, 1, 2, 3, 4, 5]

2. Commons-lang3 라이브러리로 배열 병합

위와 같이 직접 구현하지 않고, Commons library를 사용할 수 있습니다.

import org.apache.commons.lang3.ArrayUtils;

import java.util.Arrays;

public class JoinArrays2 {

    public static void main(String[] args) {

        String[] arr1 = {"a", "b", "c", "d", "e"};
        String[] arr2 = {"1", "2", "3", "4", "5"};

        String[] result = ArrayUtils.addAll(arr1, arr2);

        System.out.println(Arrays.asList(result));
    }
}

Output:

[a, b, c, d, e, 1, 2, 3, 4, 5]

Commons-lang3 의존성 설정

gradle 프로젝트는 build.gradle에 다음과 같이 의존성을 설정하시면 라이브러리를 사용할 수 있습니다.

dependencies {
    compile group: 'org.apache.commons', name: 'commons-lang3', version: '3.11'
    ...
}

3. Stream으로 여러 배열을 하나로 합치기

Stream의 flatMap을 이용하여 배열들을 하나의 Array로 합칠 수 있습니다.

import java.util.Arrays;
import java.util.stream.Stream;

public class JoinArrays3 {

    public static void main(String[] args) {

        String[] arr1 = {"a", "b", "c", "d", "e"};
        String[] arr2 = {"1", "2", "3", "4", "5"};

        String[] result = Stream.of(arr1, arr2).flatMap(Stream::of).toArray(String[]::new);

        System.out.println(Arrays.asList(result));
    }
}

Output:

[a, b, c, d, e, 1, 2, 3, 4, 5]
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha