List 概述
List<T>
存储的元素是有序的
List<T>
存储的元素是可重复的
List<T>
支持泛型,可以指定存储的元素的类型
List<T>
支持索引,可以通过索引获取或修改元素
List<T>
支持动态大小(有扩容机制),不同于数组的固定大小
List<T>
内部使用数组来存储元素,当数组填满时,会自动分配一个新的、更大的数组,并将现有元素复制到新数组中
List<T>
不是线程安全的,在多线程环境中需要谨慎使用
一、List 注意事项
1、List 存储的元素是可重复的
List< int > nums = new List< int > ( ) ; nums. Add ( 1 ) ;
nums. Add ( 2 ) ;
nums. Add ( 3 ) ;
nums. Add ( 1 ) ; foreach ( int num in nums)
{ Console. WriteLine ( num) ;
}
1
2
3
1
2、List 使用时要注意不要越界
List< int > nums = new List< int > ( ) ; nums. Add ( 1 ) ;
nums. Add ( 2 ) ;
nums. Add ( 3 ) ; Console. WriteLine ( nums[ 10 ] ) ;
# 输出结果未经处理的异常: System.ArgumentOutOfRangeException: 索引超出范围。必须为非负值并小于集合大小。
二、List 存储对象的特性
List 存储对象并对对象进行查找时,对于没有重写 Equals 和 GetHashCode 方法的对象可能不太方便
internal class Person
{ public String name; public int age; public Person ( ) { } public Person ( string name, int age) { this . name = name; this . age = age; }
}
List< Person> persons = new List< Person> ( ) ; persons. Add ( new Person ( "tom" , 20 ) ) ;
persons. Add ( new Person ( "jack" , 25 ) ) ;
persons. Add ( new Person ( "smith" , 30 ) ) ; Console. WriteLine ( persons. IndexOf ( new Person ( "tom" , 20 ) ) ) ;
# 输出结果-1
List 存储对象并对对象进行查找时,对于重写 Equals 和 GetHashCode 方法的对象比较方便
internal class Staff
{ public String name; public int age; public Staff ( ) { } public Staff ( string name, int age) { this . name = name; this . age = age; } public override bool Equals ( object obj) { if ( obj == this ) return true ; if ( obj == null ) return false ; if ( obj. GetType ( ) != this . GetType ( ) ) return false ; Staff staff = obj as Staff ; bool agesAreEqual = age == staff. age; bool namesAreEqual = name == null ? null == staff. name : name. Equals ( staff. name) ; return agesAreEqual && namesAreEqual; } public override int GetHashCode ( ) { int hash = 17 ; hash = hash * 23 + name?. GetHashCode ( ) ?? 0 ; hash = hash * 23 + age. GetHashCode ( ) ; return hash; }
}
List< Staff> staffs = new List< Staff> ( ) ; staffs. Add ( new Staff ( "tom" , 20 ) ) ;
staffs. Add ( new Staff ( "jack" , 25 ) ) ;
staffs. Add ( new Staff ( "smith" , 30 ) ) ; Console. WriteLine ( staffs. IndexOf ( new Staff ( "tom" , 20 ) ) ) ;
# 输出结果0
三、List 与数组的转换
1、List 转数组
List< int > list = new List< int > { 1 , 2 , 3 , 4 , 5 } ; int [ ] array = list. ToArray ( ) ; foreach ( int item in array)
{ Console. WriteLine ( item) ;
}
# 输出结果
1
2
3
4
5
2、数组转 List
int [ ] array = { 1 , 2 , 3 , 4 , 5 } ; List< int > list = new List< int > ( array) ; foreach ( int item in list)
{ Console. WriteLine ( item) ;
}
# 输出结果1
2
3
4
5