0

我正在尝试使用 CodeDomProvider 制作 C# 编译器。我设法得到错误,但我无法得到输出。

这是我到目前为止所拥有的:

    public List<string> Errors(CompilerResults compilerResults)
    {
        List<string> messages = new List<string>();

        foreach (CompilerError error in compilerResults.Errors)
        {
            messages.Add(String.Format("Line {0} Error No:{1} - {2}", error.Line, error.ErrorNumber, error.ErrorText));
        }

        return messages;
    }

    public CompilerResults ProcessCompilation(string programText)
    {
        CodeDomProvider codeDomProvider = CodeDomProvider.CreateProvider("CSharp");
        CompilerParameters parameters = new CompilerParameters();
        parameters.GenerateExecutable = false;
        StringCollection assemblies = new StringCollection();
        return codeDomProvider.CompileAssemblyFromSource(parameters, programText);
    }

CSharpCompiler是包含上述函数的类

    public JsonResult Compiler(string code)
    {
        CSharpCompiler compiler = new CSharpCompiler();
        CompilerResults compilerResults = compiler.ProcessCompilation(code);

        Debug.WriteLine("OUTPUT----------------------------------------------");
        foreach (var o in compilerResults.Output)
        {
            Debug.WriteLine(o);
        }

        List<string> compilerErrors = compiler.Errors(compilerResults);

        if (compilerErrors.Count != 0)
            return Json(new { success = false, errors = compilerErrors});

        return Json(true);
    }

compilerResults.Output总是空的。如果我运行这段代码:

using System;

public class HelloWorld
{
    public static void Main()
    {
        Console.WriteLine("Hello world!");
    }
}

我该怎么做才能显示消息“Hello world!”?

4

1 回答 1

0

CompileAssemblyFromSource顾名思义,创建一个程序集。要访问编译后的代码,您可以使用CompilerResults.CompiledAssembly属性,然后使用反射来查找并调用该Main方法:

compilerResults.CompiledAssembly.GetType("HelloWorld").GetMethod("Main").Invoke(null, null);

虽然如果您设置parameters.GenerateExecutabletrue,您可以将其简化为:

compilerResults.CompiledAssembly.EntryPoint.Invoke(null, null);
于 2017-04-13T13:11:38.273 回答