Computer >> 컴퓨터 >  >> 프로그램 작성 >> C#

C#의 배열 복사


배열을 사용합니다. 한 배열의 섹션을 다른 배열로 복사하는 C#의 copy 메서드.

원래 배열에는 10개의 요소가 있습니다 -

int [] n = new int[10]; /* n is an array of 10 integers */

배열 1의 섹션을 복사하는 새 배열에는 5개의 요소가 있습니다 -

int [] m = new int[5]; /* m is an array of 5 integers */

array.copy() 메서드를 사용하면 소스 및 대상 배열을 추가할 수 있습니다. 이를 통해 두 번째 배열에 포함된 첫 번째 배열의 섹션 크기를 포함합니다.

예시

C#에서 배열 복사를 구현하기 위해 다음을 실행할 수 있습니다 -

using System;
namespace ArrayApplication {
   class MyArray {
      static void Main(string[] args) {
         int [] n = new int[10]; /* n is an array of 10 integers */
         int [] m = new int[5]; /* m is an array of 5 integers */
         for ( int i = 0; i < 10; i++ ) {
            n[i] = i + 100;
         }
         Console.WriteLine("Original Array...");
         foreach (int j in n ) {
            int i = j-100;
            Console.WriteLine("Element[{0}] = {1}", i, j);
         }
         Array.Copy(n, 0, m, 0, 5);
         Console.WriteLine("New Array...");
         foreach (int res in m) {
            Console.WriteLine(res);
         }
         Console.ReadKey();
      }
   }
}

출력

Original Array...
Element[0] = 100
Element[1] = 101
Element[2] = 102
Element[3] = 103
Element[4] = 104
Element[5] = 105
Element[6] = 106
Element[7] = 107
Element[8] = 108
Element[9] = 109
New Array...
100
101
102
103
104