數組是一種包含若干變量的數據結構,這些變量都可以通過計算索引進行訪問。數組中的數組的元素具有相同的類型。
數組有一個“秩”。數組的秩又稱為數組的維度。“秩”為 1 的數組稱為一維數組。“秩”大於 1 的數組稱為多維數組。維度大小確定的多維數組通常稱為兩維數組、三維數組等。
聲明數組
聲明數組時,方括號 ([]) 必須跟在類型後面,而不是標識符後面。在 C# 中,將方括號放在標識符後是不合法的語法。
C# 支持一維數組、多維數組(矩形數組)和數組的數組(交錯的數組)。
一維數組:
int[] arrayname;
多維數組:
int[,] arrayname;
數組的數組(交錯的):
int[][] arrayname ;
聲明數組並不實際創建它們。在 C# 中,數組是對象,必須進行實例化。
示例:
using System;
class TestArray
{
public static void Main()
{
//聲明一個整型一維數組的引用,變且在堆中分配連續5個整型變量的空間。
int[] numbers = new int[5];
// 聲明一個二維字符串數組的引用
string[,] names = new string[5,4];
// 數組的數組,相當聲明了包含5個byte型一維數組的引用變量的一維數組長度為5
byte[][] scores = new byte[5][];
//為每個btye型一維數組實例化
for (int i = 0; i < scores.Length; i++)
{
scores[i] = new byte[i+3]; //非矩形的
}
for (int i = 0; i < scores.Length; i++)
{
Console.WriteLine("Length of row {0} is {1}", i, scores[i].Length);
}
}
}
初始化數組
C# 通過將初始值括在大括號 ({}) 內為在聲明時初始化數組提供了簡單而直接了當的方法。下面的示例展示初始化不同類型的數組的各種方法。www.2cto.com
一維數組
int[] numbers = new int[5] {1, 2, 3, 4, 5};
string[] names = new string[3] {"Matt", "Joanne", "Robert"};
可省略數組的大小,如下所示:
int[] numbers = new int[] {1, 2, 3, 4, 5};
string[] names = new string[] {"Matt", "Joanne", "Robert"};
如果提供了初始值設定項,則還可以省略 new運算符,如下所示:
int[] numbers = {1, 2, 3, 4, 5};
string[] names = {"Matt", "Joanne", "Robert"};
多維數組
int[,] numbers = new int[3, 2] { {1, 2}, {3, 4}, {5, 6} };
string[,] siblings = new string[2, 2] { {"Mike","Amy"}, {"Mary","Albert"} };
可省略數組的大小,如下所示:
int[,] numbers = new int[,] { {1, 2}, {3, 4}, {5, 6} };
string[,] siblings = new string[,] { {"Mike","Amy"}, {"Mary","Albert"} };
如果提供了初始值設定項,則還可以省略 new 運算符,如下所示:
int[,] numbers = { {1, 2}, {3, 4}, {5, 6} };
string[,] siblings = { {"Mike", "Amy"}, {"Mary", "Albert"} };
交錯的數組(數組的數組)
可以像下例所示那樣初始化交錯的數組:
int[][] numbers = new int[2][] { new int[] {2,3,4}, new int[] {5,6,7,8,9} };
可省略第一個數組的大小,如下所示:
int[][] numbers = new int[][] { new int[] {2,3,4}, new int[] {5,6,7,8,9} };
-或-
int[][] numbers = { new int[] {2,3,4}, new int[] {5,6,7,8,9} };
訪問數組成員
訪問數組成員可以直接進行,類似於在 C/C++ 中訪問數組成員。例如,下面的代碼創建一個名為 numbers 的數組,然後向該數組的第五個元素賦以 5:
int[] numbers = {10, 9, 8, 7, 6, 5, 4, 3, 2, 1, 0};
numbers[4] = 5;
下面的代碼聲明一個多維數組,並向位於 [1, 1] 的成員賦以5:
int[,] numbers = { {1, 2}, {3, 4}, {5, 6}, {7, 8}, {9, 10} };
numbers[1, 1] = 5;
下面聲明一個一維交錯數組,它包含兩個元素。第一個元素是兩個整數的數組,第二個元素是三個整數的數組:
int[][] numbers = new int[][] { new int[] {1, 2}, new int[] {3, 4, 5}
};
下面的語句向第一個數組的第一個元素賦以 58,向第二個數組的第二個元素賦以 667:
numbers[0][0] = 58;
numbers[1][1] = 667;
對數組使用 foreach
C# 還提供 foreach 語句。該語句提供一種簡單、明了的方法來循環訪問數組的元素。例如,下面的代碼創建一個名為numbers 的數組,並用 foreach 語句循環訪問該數組:
int[] numbers = {4, 5, 6, 1, 2, 3, -2, -1, 0};
foreach (int i in numbers)
{
System.Console.WriteLine(i);
}
由於有了多維數組,可以使用相同方法來循環訪問元素,例如:
int[,] numbers = new int[3, 2] {{9, 99}, {3, 33}, {5, 55}};
foreach(int i in numbers)
{
Console.Write("{0} ", i);
}
該示例的輸出為:
9 99 3 33 5 55