2

我有一个类,它有一个采用委托参数的方法,并且将通过反射调用它,例如:

namespace NSa
{
    public delegate void dlg(string p1, string p2);

    public class dyn
    {
        void method(dlg d)
        {
            // call d...
        }
    }
}

在另一堂课中,我需要dyn.method用反射来调用:

namespace NSa
{
    public delegate void dlg(string p1, string p2);

    public void fun(string a, string b) { Console.Write(a); }

    public class other
    {
        void caller_method()
        {
            dlg x = fun;

            //... 

            var assembly = System.Reflection.Assembly.LoadFile("xx.dll");
            System.Reflection.BindingFlags flags = (System.Reflection.BindingFlags.NonPublic | System.Reflection.BindingFlags.Public | System.Reflection.BindingFlags.Static | System.Reflection.BindingFlags.Instance | System.Reflection.BindingFlags.DeclaredOnly);
            System.Reflection.Module[] dynModules = assembly.GetModules();
            Type dynType = dynModules[0].GetType("NSa.dyn");
            object dynObj = Activator.CreateInstance(dynType);               
            System.Reflection.MethodInfo dynMethod = dynType.GetMethods(flags).Where(m => m.Name == "method").First();
            dynMethod.Invoke(dynObj, new object[] {x});             
        }
    }
}

我得到例外:

Object of type 'NSa.dlg' cannot be converted to type 'NSa.dlg'.

我错过了什么?

4

1 回答 1

0

看起来您在两个不同的程序集中两次声明了相同的类型。就 CLR 而言,它们将是两种完全不同的类型,它们之间没有转换。

您应该使用在与 相同的程序集中声明的委托dyn,以便将其传递给dyn.method. 如果您在编译时不知道该程序集,则需要使用Delegate.CreateDelegate.

我还建议通过对不同的程序集使用不同的命名空间声明,可以更容易地分辨出哪种类型来自哪个程序集。

于 2013-07-12T14:05:34.093 回答