假设我有一个定义如下的接口:
interface IContract
{
void CommonMethod();
}
然后是从该接口继承的另一个接口,该接口的定义方式如下:
interface IContract<T> : IContract where T : EventArgs
{
event EventHandler<T> CommonEvent;
}
我的具体问题是,给定实现IContract的任何实例,如何确定IContract< T>如果是,则如何确定IContract< T>的通用类型是什么?无需对每个已知类型的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.