C# - 배열에서 특정 요소 제거

배열에서 특정 요소 값을 삭제하는 방법을 소개합니다.

1. List를 이용한 방법

배열은 동적으로 크기를 변경하지 못하기 때문에, 특정 요소가 제거된 새로운 배열을 만들어야 합니다.

List를 이용하여 배열에서 요소를 삭제하는 방법은 다음과 같습니다.

  • 배열을 List로 변경
  • List에서 특정 요소 제거
  • List를 배열로 변환

아래 코드는 배열에서 Index 3의 요소를 제거하는 예제입니다.

using System;

namespace Example {
    public class Program {

        public static int[] RemoveAt(int[] arr, int index) {
            List<int> list = new List<int>(arr);
            list.RemoveAt(3);
            return list.ToArray();
        }

        public static void Main(string[] args) {

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

            int[] newArr = RemoveAt(arr, 3);
            Console.WriteLine(String.Join(", ", newArr));
        }
    }
}

Output:

0, 1, 2, 4

2. Where()를 이용한 방법

array.Where()는 배열의 모든 요소들 중에서 특정 조건에 충족하는 요소들만 필터링합니다.

특정 조건에 대한 함수를 인자로 전달하며, Enumerable로 리턴합니다. ToArray()로 배열로 변환할 수 있습니다.

아래 예제는 Where를 이용하여 배열의 Index 3을 제거하는 예제입니다.

using System;

namespace Example {
    public class Program {

        public static int[] RemoveAt(int[] arr, int index) {
            return arr.Where((value, i) => i != index).ToArray();
        }

        public static void Main(string[] args) {

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

            int[] newArr = RemoveAt(arr, 3);
            Console.WriteLine(String.Join(", ", newArr));
        }
    }
}

Output:

0, 1, 2, 4

3. for문을 이용한 방법

기존 배열에서 1개의 요소를 삭제한다면, 크기가 하나 작은 새로운 배열을 만들고 다른 요소들을 복사할 수 있습니다.

using System;

namespace Example {
    public class Program {

        public static int[] RemoveAt(int[] arr, int index) {
            int[] newArr = new int[arr.Length - 1];
            int removedIndex = 3;
            int j = 0;
            for (int i = 0; i < arr.Length; i++) {
                if (i != removedIndex) {
                    newArr[j++] = arr[i];
                }
            }
            return newArr;
        }

        public static void Main(string[] args) {

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

            int[] newArr = RemoveAt(arr, 3);
            Console.WriteLine(String.Join(", ", newArr));
        }
    }
}

Output:

0, 1, 2, 4
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha