假设我有3个课程:A
,B
和C
。这些类中的每一个都有GetValue()
方法,该方法返回int
。我想创建这个方法:
int GetTotalValue<T,R>(T c1, R c2)
{
return c1.GetValue() + c2.GetValue()
}
显然,这不会奏效。并非所有参数类型都具有GetValue()
方法。那么如何限制参数类型T
和R
,因此他们必须使用GetValue()
方法(返回int
)
答案 0 :(得分:2)
让所有三个实现包含GetValue
方法的接口,并将方法限制为仅使用这些类型。
public interface IGetValue
{
int GetValue();
}
public class A : IGetValue // Same for B and C
{
...
}
最后:
int GetTotalValue<T,R>(T c1, R c2) where T : IGetValue, R : IGetValue
{
return c1.GetValue() + c2.GetValue();
}
<强>更新强>
正如亚历克斯在评论中指出的那样,这种方法不需要是通用的,但可以重写:
int GetTotalValue(IGetValue c1, IGetValue c2)
{
return c1.GetValue() + c2.GetValue();
}