總是有各種驚喜,震驚! C#陣列就是其中之一,我把它當作自己部落格花園的處女作。
C#陣列與其它C系列語言有著許多的不同,以前接觸的時候理解出現很大的偏差。尤其是對多維數組的認識。多維數組與C語言相比是新概念。而最開始的
時候我把它當成交錯數組的特殊型別。
首先重二維數組與簡單的交錯數組的初始化與存取開始
int[,] nums={ {1,2,3}, {1,2,0} }; for (int i = nums.GetLowerBound(0); i <= nums.GetUpperBound(0); i++) { for (int j = nums.GetLowerBound(1); j <= nums.GetUpperBound(1); j++) { Console.WriteLine(nums[i,j]); Console.WriteLine(nums.GetValue(i,j)); } } foreach (var num in nums) { Console.WriteLine(num); } //对任意维度的数组,都可以这样快速访问,只是foreach不能修改变量。
而交錯數組也能實現差不多的內容
int[][] nums2 ={ new int[]{1,2,3}, new int[]{1,2,0} }; for (int i = nums2.GetLowerBound(0); i <= nums2.GetUpperBound(0); i++) { for (int j = nums2[i].GetLowerBound(0); j <= nums2[i].GetUpperBound(0); j++) { Console.WriteLine(nums2[i][j]); } } foreach (var ia in nums2) { foreach (var i in ia) { Console.WriteLine(i); } }
多維數組儲存的資料可以用相同的內容
bool[][][] cells31 = new bool[2][][] { new bool[2][] { new bool[] {false}, new bool[] {true} }, new bool[3][] { new bool[] {false}, new bool[] {true}, new bool[] {true} } };
複雜的交錯數組
Console.WriteLine("交错数组类型"); Console.WriteLine(cells31[0].GetType()); Console.WriteLine(cells31[0][0].GetType()); Console.WriteLine(cells31[0][0][0].GetType()); //交错数组类型 //System.Boolean[][] //System.Boolean[] //System.Boolean //这是交错数组里面的类型。 // bool[2][] 与boo[3][] 是相同的类型,所以我们创建存储结构不一致的数组
我們必須這樣初始化 有一大堆new 因為交錯數組是數組的數組,所以我們以前一直嵌套。但是需要很多的陣列類型,也可以創造無數的陣列類型。
bool[][,][] Foo = new bool[1][,][] { new bool[2,2][] { { new bool[2] {false, true}, new bool[2] {false, true} }, { new bool[2] {false, true}, new bool[2] {false, true} } } }; Console.WriteLine("混合数组类型"); Console.WriteLine(Foo.GetType()); Console.WriteLine(Foo[0].GetType()); Console.WriteLine(Foo[0][0,0].GetType()); Console.WriteLine(Foo[0][0, 0][0].GetType()); //结果 混合数组类型 //system.boolean[][,][] //system.boolean[][,] //system.boolean[] //system.boolean
我選擇一個簡單點作為範例 bool [][,][]Foo;
//定义交错数组:一维数组存放(二维int数组存放(一维int数组存放(四维int数组))) //标准的C#定义描述 array of( multi-array of( array of (nulti-array))) int[][,][][, , ,] arr = new int[10][,][][,,,]; //初始化 二维int数组存放(一维int数组存放(四维int数组)) arr[4] = new int[1, 2][][,,,]; //初始化 一维int数组存放(四维int数组) arr[4][0, 1] = new int[3][, , ,]; //初始化 四维int数组 arr[4][0, 1][2] = new int[1, 2, 3, 4]; Console.WriteLine(arr.GetType()); Console.WriteLine(arr[4].GetType()); Console.WriteLine(arr[4][0, 1].GetType()); Console.WriteLine(arr[4][0, 1][2].GetType()); //System.Int32[,,,][][,][] //System.Int32[,,,][][,] //System.Int32[,,,][] //System.Int32[,,,] //C#编译器生成的名字与我们声明的是倒着的。理解起来应该也没差异吧
Console.WriteLine(Foo[0][0,0][0]); //输出为Flase Array.Clear(Foo,0,1); Console.WriteLine(Foo[0][0, 0][0]); //这里会引发空引用异常。因为 bool[][,]的类型的值已经变为null。現在應該比較清晰了。我也不知道到底是不是每個程式設計師都理解這些,不過我花了不少時間才明白的。
最後再考慮一下對陣列方法的影響。尤其是 Clear();
rrreee