类型约束(类和接口)
类型约束能够强制类型参数实现某个接口或类。
interface IType;
interface IAnotherType;
// T must be a subtype of IType
interface IGeneric<T>
where T : IType
{
}
// T must be a subtype of IType
class Generic<T>
where T : IType
{
}
class NonGeneric
{
// T must be a subtype of IType
public void DoSomething<T>(T arg)
where T : IType
{
}
}
// Valid definitions and expressions:
class Type : IType { }
class Sub : IGeneric<Type> { }
class Sub : Generic<Type> { }
new NonGeneric().DoSomething(new Type());
// Invalid definitions and expressions:
class AnotherType : IAnotherType { }
class Sub : IGeneric<AnotherType> { }
class Sub : Generic<AnotherType> { }
new NonGeneric().DoSomething(new AnotherType());
多个约束的语法:
class Generic<T, T1>
where T : IType
where T1 : Base, new()
{
}
类型约束的工作方式与继承相同,因为可以将多个接口指定为泛型类型的约束,但只能指定一个类:
class A { /* ... */ }
class B { /* ... */ }
interface I1 { }
interface I2 { }
class Generic<T>
where T : A, I1, I2
{
}
class Generic2<T>
where T : A, B //Compilation error
{
}
另一个规则是必须将类添加为第一个约束,然后是接口:
class Generic<T>
where T : A, I1
{
}
class Generic2<T>
where T : I1, A //Compilation error
{
}
必须同时满足所有声明的约束才能使特定的通用实例化起作用。无法指定两个或更多替代约束集。