다음을 통해 공유


다차원 배열(C# 프로그래밍 가이드)

배열은 차원을 하나 이상 가질 수 있습니다. 예를 들어, 다음 선언은 4행 2열의 2차원 배열을 생성합니다.

int[,] array = new int[4, 2];

다음 선언은 4 x 2 x 3의 3차원 배열을 생성합니다.

int[, ,] array1 = new int[4, 2, 3];

배열 초기화

다음 예제처럼 선언 시에 배열을 초기화할 수 있습니다.

// Two-dimensional array.
int[,] array2D = new int[,] { { 1, 2 }, { 3, 4 }, { 5, 6 }, { 7, 8 } };
// The same array with dimensions specified.
int[,] array2Da = new int[4, 2] { { 1, 2 }, { 3, 4 }, { 5, 6 }, { 7, 8 } };
// A similar array with string elements.
string[,] array2Db = new string[3, 2] { { "one", "two" }, { "three", "four" },
                                        { "five", "six" } };

// Three-dimensional array.
int[, ,] array3D = new int[,,] { { { 1, 2, 3 }, { 4, 5, 6 } }, 
                                 { { 7, 8, 9 }, { 10, 11, 12 } } };
// The same array with dimensions specified.
int[, ,] array3Da = new int[2, 2, 3] { { { 1, 2, 3 }, { 4, 5, 6 } }, 
                                       { { 7, 8, 9 }, { 10, 11, 12 } } };

// Accessing array elements.
System.Console.WriteLine(array2D[0, 0]);
System.Console.WriteLine(array2D[0, 1]);
System.Console.WriteLine(array2D[1, 0]);
System.Console.WriteLine(array2D[1, 1]);
System.Console.WriteLine(array2D[3, 0]);
System.Console.WriteLine(array2Db[1, 0]);
System.Console.WriteLine(array3Da[1, 0, 1]);
System.Console.WriteLine(array3D[1, 1, 2]);

// Output:
// 1
// 2
// 3
// 4
// 7
// three
// 8
// 12

또한 다음 예제처럼 차수를 지정하지 않고 배열을 초기화할 수 있습니다.

int[,] array4 = { { 1, 2 }, { 3, 4 }, { 5, 6 }, { 7, 8 } };

배열 변수를 초기화 없이 선언한 경우, 배열 변수에 배열을 할당하려면 new 연산자를 사용해야 합니다. 다음 예제에서는 new를 사용하는 방법을 보여 줍니다.

int[,] array5;
array5 = new int[,] { { 1, 2 }, { 3, 4 }, { 5, 6 }, { 7, 8 } };   // OK
//array5 = {{1,2}, {3,4}, {5,6}, {7,8}};   // Error

다음 예제는 특정 배열 요소에 값을 할당합니다.

array5[2, 1] = 25;

마찬가지로 다음 예제에서는 특정 배열 요소의 값을 가져와서 이 값을 변수 elementValue에 할당합니다.

int elementValue = array5[2, 1];

다음 코드 예제에서는 가변 배열을 제외한 배열 요소를 기본값으로 초기화합니다.

int[,] array6 = new int[10, 10];

참고 항목

참조

배열(C# 프로그래밍 가이드)

1차원 배열(C# 프로그래밍 가이드)

가변 배열(C# 프로그래밍 가이드)

개념

C# 프로그래밍 가이드