我的问题是:如果我有 MethodInfo 对象,对于从接口类型获得的方法,并且我也有实现此接口的类的 Type 对象,但它通过显式实现来实现所述方法,如何正确获取该类中实现方法的对应 MethodInfo 对象?
我需要这样做的原因是实现方法可以应用一些属性,我需要通过反射找到这些属性,但是需要找到这些属性的类只有实现类的对象引用,并且 Type接口的对象(+ 相应的 MethodInfo 对象)。
所以,假设我有以下程序:
using System;
using System.Reflection;
namespace ConsoleApplication8
{
public interface ITest
{
void Test();
}
public class Test : ITest
{
void ITest.Test()
{
throw new NotImplementedException();
}
}
class Program
{
static void Main(string[] args)
{
Type interfaceType = typeof(ITest);
Type classType = typeof(Test);
MethodInfo testMethodViaInterface =
interfaceType.GetMethods()[0];
MethodInfo implementingMethod =
classType.GetMethod(/* ??? */"Test");
Console.Out.WriteLine("interface: " +
testMethodViaInterface.Name);
if (implementingMethod != null)
Console.Out.WriteLine("class: " +
implementingMethod.Name);
else
Console.Out.WriteLine("class: unable to locate");
Console.Out.Write("Press enter to exit...");
Console.In.ReadLine();
}
}
}
运行它给了我:
interface: Test
class: unable to locate
Press enter to exit...
在代码中有一个带有 ??? 的 .GetMethod 调用 评论。这部分是我需要帮助的。我需要在这里指定什么(我已经测试了很多,这让我想到了另一种方式)或者我需要用什么来替换这段代码。
由于我使用了接口中方法的显式实现,因此方法的实际名称不仅仅是“测试”。如果我使用以下代码转储类类型的 GetMethods() 数组的全部内容:
foreach (var mi in classType.GetMethods(
BindingFlags.Instance | BindingFlags.NonPublic | BindingFlags.Public))
{
Console.Out.WriteLine(mi.Name);
}
然后我得到这个:
ConsoleApplication8.ITest.Test <-- this is the one I want
ToString
Equals
GetHashCode
GetType
Finalize
MemberwiseClone
很明显,名称前面有接口的全名及其命名空间。但是,由于重载,看起来我必须在类中找到所有此类实现方法(即假设有多个测试方法因参数而异),然后比较参数。
有没有更简单的方法?基本上,一旦我从接口获得方法的 MethodInfo 对象,我想通过获取其 MethodInfo 对象来找到实现此方法的类的确切方法。
请注意,我在这里处于一个循环的情况,所以如果我必须遍历类中的方法以从接口中找到确切的方法,那没关系,只要我有一个好的方法来识别我什么时候找到了正确的那一个。
我试图像这样改变上面的循环:
foreach (var mi in classType.GetMethods(
BindingFlags.Instance | BindingFlags.NonPublic | BindingFlags.Public))
{
if (mi.GetBaseDefinition() == testMethodViaInterface)
Console.Out.WriteLine(mi.Name);
}
这没有打印出任何东西,所以很明显GetBaseDefinition
,这样的方法并没有从接口指向 MethodInfo 对象。
任何指针?