C# - 배열을 두개의 배열로 나누기

하나의 배열을 두개의 배열로 분리하는 방법을 소개합니다.

1. Range 연산자를 이용한 방법

Range 연산자는 arr[0..4]와 같이 시작과 끝의 범위가 표현된 연산자입니다.

arr[0..4]는 배열 arr의 Index 0부터 4를 포함하지 않는 배열이 됩니다.

이것을 이용하여, 아래와 같이 배열을 두개로 나눌 수 있습니다.

  • arr[..mid] : Index 0부터 Index mid를 포함하지 않는 배열
  • arr[mid..] : Index mid부터 마지막 요소까지의 배열
using System;

namespace Example {
    public class Program {
        public static void Main(string[] args) {

            int[] arr = {1, 2, 3, 4, 5};

            int mid = (arr.Length + 1) / 2;
            int[] first = arr[..mid];
            int[] second = arr[mid..];

            Console.WriteLine(String.Join(", ", first));
            Console.WriteLine(String.Join(", ", second));
        }
    }
}

Output:

1, 2, 3
4, 5

2. Array.Copy()를 이용한 방법

두개의 배열을 생성하고, 복사하려는 배열에서 두개의 배열에 요소들을 복사하는 방법입니다.

Array.Copy(src, srcIndex, des, desIndex, length)는 src 배열의 srcIndex부터 length 길이 만큼 des 배열로 복사하는데, desIndex부터 복사합니다.

이것을 이용하여 아래와 같이 두개의 배열로 요소들을 복사할 수 있습니다.

using System;

namespace Example {
    public class Program {
        public static void Main(string[] args) {

            int[] arr = {1, 2, 3, 4, 5};

            int mid = (arr.Length + 1) / 2;
            int[] first = new int[mid];
            int[] second = new int[arr.Length - mid];

            Array.Copy(arr, 0, first, 0, mid);
            Array.Copy(arr, mid, second, 0, second.Length);

            Console.WriteLine(String.Join(", ", first));
            Console.WriteLine(String.Join(", ", second));
        }
    }
}

Output:

1, 2, 3
4, 5
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha