C#从内部调用外部方法(委托)

时间:2013-08-22 22:40:24

标签: c# delegates anonymous-function

我正在使用as described here在C#程序中生成并执行C#。

如您所见,可以通过classType.GetMethod("Execute").Invoke(instance, args)调用编译代码的“执行”方法。

变量args是要传递给Execute方法的参数的对象数组。我已经能够使用这个系统相对容易地传递事物。

现在这是一个大问题......我需要传递一个回调函数(例如一个委托),以便Execute方法能够向主程序发送信号。我一直在尝试传递匹配签名的类型代理,但它失败了(甚至不会运行)。接下来,我尝试传递一个Delegate,但没有指定也失败的类型(这次尝试调用失败了)。我也尝试将它作为普通对象传递并将其转换回生成的代码中,但它没有做任何不同的事情。

由于我对C#的关注度不高,我认为我遗漏了一些非常基本的东西。此外,我没有有效的测试用例代码......但是使用我上面提供的链接应该不会太困难。

另请参阅:http://support.microsoft.com/kb/304655

编辑:这是一些示例代码:

class CompilerTest {

    private object obj;
    private MethodInfo mtd;

    public void on_log(string type, string message){
        MessageBox.Show(type.ToUpper() + ": " + message);
    }

    public void compile(){
        CodeDomProvider c = CodeDomProvider.CreateProvider("CSharp");
        CompilerParameters cp = new CompilerParameters();

        cp.ReferencedAssemblies.Add("system.dll");
        cp.ReferencedAssemblies.Add("system.data.dll");
        cp.ReferencedAssemblies.Add("system.windows.forms.dll");

        cp.CompilerOptions = "/t:library";
        cp.GenerateInMemory = true;

        StringBuilder sb = new StringBuilder("");
        sb.AppendLine("using System;");
        sb.AppendLine("using System.Data;");
        sb.AppendLine("using System.Reflection;");
        sb.AppendLine("using System.Windows.Forms;");

        sb.AppendLine("public delegate void LoggerInternal(string type, string message);");

        sb.AppendLine("public class CSCodeEvalCls{");

        sb.AppendLine("  private LoggerInternal log;");

        sb.AppendLine("  public void E(object lgr){");
        sb.AppendLine("    this.log = (RuleLoggerInternal)lgr;");
        sb.AppendLine("  }");

        sb.AppendLine("  private void L(string type, string message){");
        sb.AppendLine("    this.log(type, message);");
        sb.AppendLine("  }");

        sb.AppendLine("}");

        CompilerResults cr = c.CompileAssemblyFromSource(cp, sb.ToString());
        System.Reflection.Assembly a = cr.CompiledAssembly;

        this.obj = a.CreateInstance("CSCodeEvalCls");
        this.mtd = this.obj.GetType().GetMethod("E");
    }

    public void execute(){
        this.mtd.Invoke(this.obj, new object[]{ this.on_log });
    }

}

CompilerTest test = new CompilerTest();
test.compile();
test.execute();

1 个答案:

答案 0 :(得分:1)

您必须传入一个不同类型的委托,然后从新编译的代码中转换它。

例如,在代码之外,您可以像这样调用它:

this.mtd.Invoke(this.obj, new object[]{ new Action<string, string>(this.on_log) });

现在,您可以从编译代码中了解如何处理此问题。

首先,您可以放弃定义自己的LoggerInternal委托类型,然后使用Action<string, string>

其次,在已编译的代码中,您可以通过以下类型转换委托:

public void E(object lgr) {
    this.log = new LoggerInternal((Action<string, string>)lgr);
}

第三,如果您不希望编译的代码知道传递了哪种委托,您可以使用Delegate.CreateDelegate()

public void E(object lgr) {
    Delegate d = (Delegate)lgr;

    this.log = (LoggerInternal)Delegate.CreateDelegate(
        typeof(LoggerInternal),
        d.Target,
        d.Method);
}