泛型可以用于类,也可以用于函数。如
泛型类:
public class MyClass<T>
{ public T MyElement { get; set; } }
泛型函数:
public T ReturnElement<T>()
{ throw new NotImplementedException(); }
但是当需要对MyElement进行实例化的时候,却不能使用new(),只要添加如下代码即可进行实例化了:
泛型类:
public class MyClass<T> where T: new()
{ public T MyElement { get; set; } public MyClass() { this.MyElement = new T(); } }
泛型函数:
public T ReturnElement<T>() where T : new()
{ return new T(); }
在这里,where实际上对泛型类型T的一个限定或补充。如果你希望T是一个int的集合,这个集合可以是List<int>,也可以是HashSet<int>等等,只要它们都是从ICollection继承而来的,则可以添加对类型T的限定,同时要保证它还是可以实例化的:
public T ReturnElement<T>()
where T : ICollection<int>, new() { return new T(); }
进一步,如果希望放宽集合中元素的类型,比如只要是int,double等可比较的类型,它们都是从IComparable继承而来,则可以继续添加如下限定:
public T ReturnElement<T, S>()
where T : ICollection<S>, new() where S : IComparable { return new T(); }
C# 的泛型类型提供了很方便的机制,非常方便地就能举一反三。