我开始对CodeDom做一些实验,并制作了一个简单的应用程序,它从用户输入中收集源代码,然后尝试用C#-语法编译它。
对于那些想要尝试整个过程的人,输入end.来完成源代码条目。
下面是一个例子:
using System;
using System.Collections;
using System.Reflection;
using System.Collections.Generic;
using System.Diagnostics;
using Microsoft.CSharp;
using System.CodeDom.Compiler;
namespace CodeDomTest
{
class Program
{
static void Main(string[] args)
{
getTestCode();
}
public static Assembly getTestCode()
{
CompilerParameters CompilerOptions = new CompilerParameters(
assemblyNames: new String[] { "mscorlib.dll", "System.dll", "System.Core.dll" },
outputName: "test.dll",
includeDebugInformation: false)
{ TreatWarningsAsErrors = true, WarningLevel = 0, GenerateExecutable = false, GenerateInMemory = true };
List<String> newList = new List<String>();
String a = null;
while(a != "end...")
{
a = Console.ReadLine();
if (!a.Equals( "end..."))
newList.Add(a);
}
String[] source = { "class Test {static void test() {System.Console.WriteLine(\"test\");}}" };
source = newList.ToArray();
CSharpCodeProvider zb = new CSharpCodeProvider(new Dictionary<String, String> { { "CompilerVersion", "v4.0" } });
CompilerResults Results = zb.CompileAssemblyFromSource(CompilerOptions, source);
Console.WriteLine(Results.Errors.HasErrors);
CompilerErrorCollection errs = Results.Errors;
foreach(CompilerError z in errs)
{
Console.WriteLine(z.ErrorText);
}
if (!(errs.Count > 0))
{
AssemblyName assemblyRef = Results.CompiledAssembly.GetName();
AppDomain.CurrentDomain.Load(assemblyRef);
//foreach (String a in )
Console.WriteLine(Results.CompiledAssembly.FullName.ToString());
Type tempType = Results.CompiledAssembly.GetType("Test");
MethodInfo tempMethodInfo = tempType.GetMethod("test", BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.Static | BindingFlags.Public);
if (tempMethodInfo != null)
tempMethodInfo.Invoke(null,null);
}
Console.ReadLine();
return null;
}
}
}现在,正如您所看到的,它基本上编译了以下代码:
class Test {static void test() {System.Console.WriteLine(\"test\");}}如果在程序中输入这样的代码(不使用")作为用户输入,这很好。但是,一旦您在完成的一行之后按enter插入一个断行,编译就会中断几个错误。它似乎会将每一行计算为自己的程序,给出以下语句:
} expected
Expected class, delegate, enum, interface, or struct
A namespace cannot directly contain members such as fields or methods
A namespace cannot directly contain members such as fields or methods
Type or namespace definition, or end-of-file expected
Type or namespace definition, or end-of-file expected用于下列投入:
class Test
{
static void test()
{
System.Console.WriteLine
("test");
}
}那么,我必须将用户(自定义)条目分解为一行吗?
发布于 2016-08-18 12:56:19
源中的每一行都应该包含完整的源代码,而不是一行代码。由于您将代码逐行收集到源数组中,因此必须将其折叠为单个字符串,然后将该字符串添加到数组中以传递给CompileAssemblyFromSource,尝试如下:
while (a != "end...")
{
a = Console.ReadLine();
if (!a.Equals("end..."))
newList.Add(a);
}
string code = string.Join("\r\n", newList);
string[] source = new string[] { code };https://stackoverflow.com/questions/39018394
复制相似问题