为什么会出现泛型
在泛型还没有出来之前,使用那些为不通类型设计的方法(比如ArrayList)和只有传参不同,其他逻辑都相同的方法时,都会想到所有类型的基类object,看似完美的解决了问题。
但是还是有大问题会出现:
1.会因为没有记住使用的类型而出错,造成类型不兼容;
2.类型强制转换出错;
3.值类型和引用类型的互化即装箱拆箱使系统性能下降。
public void Do() { GetArrayList(1); GetArrayList("123"); GetArrayList(true); B b = new B(); GetArrayList(b); } public void GetArrayList(object obj) { }
泛型的出现很好的解决这个问题。
泛型怎么使用
Dictionary<string, int> dic1 = new Dictionary<string, int>(); dic1.Add("a", 1); dic1.Add("b", 2); Dictionary<int, bool> dic2 = new Dictionary<int, bool>(); dic2.Add(1, true); dic2.Add(2, false);
感兴趣的话可以,F12看一下Dictionary<TKey,TValue>如何声明泛型类型,实现泛型接口,声明无参构造函数。
这里有个小常识:在向其他人描述泛型类型时,通常使用of来介绍类型参数或实参,因此List<T>读作list of T。
public class ReturnResult<T> where T : class { List<T> ts = new List<T>(); }
2.值类型约束
确保使用的类型参数是值类型。
public class ReturnResult<T> where T : struct { ....... }
使用的话就是 ReturnResult<int> result = new ReturnResult<int>();在平时的使用中用的比较少
3.构造函数类型约束
确保类型实参有一个无参的构造函数,必须是所有类型参数最后一个约束
/// <summary> /// 有无参构造函数的泛型约束 /// </summary> /// <typeparam name="T"></typeparam> public class ReturnResult<T> where T : new() { } public class Person { public string Id { get; set; } public string Name { get; set; } //增加无参的构造函数 public Person() { } } public class Test { public void GetTest() { //实例化 ReturnResult<Person> result = new ReturnResult<Person>(); } }
4.转换类型约束
确保一个类型的实参必须转化为另一种类型的实参,摘自《深入理解C#》一书的一个图片
5.组合约束
应用中可能存在多个约束的可能性,当我们把不通类型的约束组合在一起时,就要考虑他们之间的共存问题了。显然没有一个类型即是引用类型有是值类型,这种组合就是错误的;如果存在多个约束组合,类应该出现在接口的前面,不能多次指向同一个接口,new()放在最后,不同的类型可以有不同的约束,分别由单独的where引入,来看一些例子
//有效的 class D<T> where T : class, IDisposable, new() { } class E<T> where T : struct, IDisposable { } class F<T, U> where T : class where U : struct { } class G<T, U> where T : Stream where U : IDisposable { } //无效的 class H<T> where T : class, struct { } class I<T> where T : class, Stream { } class J<T> where T : new(), class { } class M<T, U> where T : struct where U : class,T { }
协变和逆变
下节说
附录:C#自带的一些泛型
请发表评论