假设我有一个定义如下的接口:
interface IContract
{
void CommonMethod();
}
然后是从该接口继承的另一个接口,该接口的定义方式如下:
interface IContract<T> : IContract where T : EventArgs
{
event EventHandler<T> CommonEvent;
}
我的具体问题是,给定实现
IContract
的任何实例,我如何确定是否也是IContract<T>
?遭遇。最终,我将使用此确定来调用以下模式:
void PerformAction<T>(IContract<T> contract) where T : EventArgs
{
...
}
最佳答案
由于需要IContract<T>
的实例,因此必须使用反射首先获取通用类型参数,然后调用适当的方法:
// results in typeof(EventArgs) or any class deriving from them
Type type = myContract.GetType().GetGenericArguments()[0];
现在获取
IContract<T>
的通用类型定义并获取适当的方法。// assuming that MyType is the type holding PerformAction
Type t = typeof(MyType).MakeGenericType(type);
var m = t.GetMethod("PerformAction");
或者,如果仅方法
PerforAction
是泛型而不是MyType
:// assuming that MyType is the type holding PerformAction
Type t = typeof(MyType);
var m = t.GetMethod("PerformAction").MakeGenericMethod(type);
现在,您应该能够立即实例
IContract
调用该方法:var result = m.Invoke(myInstance, new[] { myContract } );
其中
myInstance
是MyType
类型。