方法
多维数组、交错数组的方法无差别,都具有Sort()、Clear()等方法,这里不再赘述,关于数组的高级用法,请查阅
https://www.jb51.net/Special/265.htm
下列为System.Array类的属性
由于系统提供的方法比较多,有兴趣请查阅
https://docs.microsoft.com/zh-cn/dotnet/api/system.array?view=netframework-4.7.2
使用数组初始化类型
在C#中有 lambda、匿名类等等,C# 5.0/6.0 后,给声明类、声明类型类型、赋值等有了很方便的操作方法。下面举例测试。
例子1
使用数组对集合、集合泛型等初始化
声明一个 List 泛型集合
using System.Collections.Generic; //头部引入 //main中的代码 static void Main(string[] args) { List<string> list = new List<string>(); Console.ReadKey(); }
那么,给集合 list 增加一个项,用 Add() 方法
static void Main(string[] args) { List<string> list = new List<string>(); //增加 list.Add("a"); list.Add("b"); list.Add("c"); list.Add("d"); list.Add("e"); list.Add("f"); list.Add("g"); Console.ReadKey(); }
利用 “数组” 来添加新项
List<string> list = new List<string>(){"a","b","c","d","e","f"}; List<string> list = new List<string>{"a","b","c","d","e","f"}; //以上两种方法都可以,注意后面有没有 ()
例子2
上面的例子利用数组直接在集合声明时初始化,但是不能很好的声明“骚操作”。
试试交错数组
1,在 program 类 所在的命名空间中写一个类
public class Test { public int x; public int y; public void What() { Console.WriteLine(x + y); } }
2,在 Main 方法中
static void Main(string[] args) { List<Test> list = new List<Test>() { new Test{x=1,y=6}, new Test{x=8,y=6}, new Test{x=4,y=8}, new Test{x=5,y=7}, new Test{x=3,y=3}, new Test{x=6,y=6}, new Test{x=9,y=666}, new Test{x=7,y=6}, }; Console.ReadKey(); }
完整代码如下
public class Test { public int x; public int y; public void What() { Console.WriteLine(x + y); } } class Program { static void Main(string[] args) { List<Test> list = new List<Test>() { new Test{x=1,y=6}, new Test{x=8,y=6}, new Test{x=4,y=8}, new Test{x=5,y=7}, new Test{x=3,y=3}, new Test{x=6,y=6}, new Test{x=9,y=666}, new Test{x=7,y=6}, }; Console.ReadKey(); } }
由于类引用类型,它的内存是引用地址,不像 int、char等类型,所以在对类(引用类型)使用数组、集合等形式时,可以用 “交错数组” 来理解。