2

我使用本教程取得了成功:http: //www.codeproject.com/Tips/715891/Compiling-Csharp-Code-at-Runtime为 C# 代码的运行时编译和执行建立了一个框架。以下是我目前拥有的代码:

public static class CodeCompiler {

public static object InterpretString(string executable) {
    string compilation_string = 
    @"
    static class RuntimeCompilationCode { 
        public static void Main() {}  
        public static object Custom() {
            /* CODE HERE */
        }
    }";

    compilation_string = compilation_string.Replace("/* CODE HERE */", executable);

    CSharpCodeProvider provider = new CSharpCodeProvider();
    CompilerParameters compiler_parameters = new CompilerParameters();

    // True - memory generation, false - external file generation
    compiler_parameters.GenerateInMemory = true;

    // True - exe file generation, false - dll file generation
    compiler_parameters.GenerateExecutable = true;

    // Compile
    CompilerResults results = provider.CompileAssemblyFromSource(compiler_parameters, compilation_string);

    // Check errors
    if (results.Errors.HasErrors) {
        StringBuilder builder = new StringBuilder();
        foreach (CompilerError error in results.Errors) {
            builder.AppendLine(String.Format("Error ({0}): {1}", error.ErrorNumber, error.ErrorText));
        }
        throw new InvalidOperationException(builder.ToString());
    }

    // Execute
    Assembly assembly = results.CompiledAssembly;
    Type program = assembly.GetType("RuntimeCompilationCode");
    MethodInfo execute = program.GetMethod("Custom");
    return execute.Invoke(null, null);
}

}

"return 2;"我可以将字符串(例如)形式的语句传递给InterpretString()它,它将作为Custom()函数的一部分进行编译和执行。但是我想知道是否可以使用相同的方法来执行我原始文件中的方法。例如,假设 CodeCompiler该类有另一个returnsTwo()返回整数 2 的方法。有没有办法通过传递"CodeCompiler.returnsTwo();"或类似的字符串来调用这样的方法InterpretString()

4

1 回答 1

4

假设该函数是静态函数,这应该不是问题,只要您在编译中添加适当的引用即可。我在几个项目上都做了这么短的事情。

如果 CodeCompiler 在您当前的可执行文件中,您必须以这种方式包含引用:

string exePath = Assembly.GetExecutingAssembly().Location;
string exeDir = Path.GetDirectoryName(exePath);

AssemblyName[] assemRefs = Assembly.GetExecutingAssembly().GetReferencedAssemblies();
List<string> references = new List<string>();

foreach (AssemblyName assemblyName in assemRefs)
    references.Add(assemblyName.Name + ".dll");

for (int i = 0; i < references.Count; i++)
{
    string localName = Path.Combine(exeDir, references[i]);

    if (File.Exists(localName))
        references[i] = localName;
}

references.Add(exePath);

CompilerParameters compiler_parameters = new CompilerParameters(references.ToArray())
于 2016-02-11T23:42:49.597 回答