我正在开发一个项目,该项目将使用CodeDOM创建一个类,该类评估用户定义的表达式,为类创建程序集并加载程序集。由于可以有相当数量的用户定义表达式,我想首先创建一个AppDomain,为该AppDomain中的程序集执行CodeDOM创建/加载和执行,然后卸载AppDomain。
我搜索了很多,并找到了很多关于如何将现有程序集加载到AppDomain中的示例,但我似乎无法找到一个向我展示如何从中创建程序集的示例 AppDomain。
此示例(DynamicCode)使用CodeDOM创建程序集,然后将其加载到AppDomain中,但是,作者正在将程序集生成到磁盘。我更喜欢在内存中生成程序集,这样我就不必管理生成的程序集的清理。 (即使这确实在临时文件夹中创建了.dll。)
有人能指出一个如何做到这一点的例子吗?
非常感谢任何帮助。
我已经从我的代码中包含了一些摘录,所以你们都能感受到我到目前为止的所有内容:
private string CreateSource()
{
CodeCompileUnit codeUnit = new CodeCompileUnit();
CodeNamespace codeNamespace = new CodeNamespace(Namespace);
CodeTypeDeclaration codeClass = new CodeTypeDeclaration
{
Name = "ExpressionEvaluator",
IsClass = true,
TypeAttributes = TypeAttributes.Public | TypeAttributes.Sealed
};
codeNamespace.Types.Add(codeClass);
codeUnit.Namespaces.Add(codeNamespace);
AddMethods(codeClass);
string result = GenerateSourceCode(codeUnit);
return result.ToString();
}
private CompilerResults CompileSource(string source)
{
using (CodeDomProvider provider = new CSharpCodeProvider())
{
CompilerParameters parameters = CreateCompilerParameters();
CompilerResults result = CompileCode(provider, parameters, source);
return result;
}
}
private static CompilerParameters CreateCompilerParameters()
{
CompilerParameters result = new CompilerParameters
{
CompilerOptions = "/target:library",
GenerateExecutable = false,
GenerateInMemory = true
};
result.ReferencedAssemblies.Add("System.dll");
return result;
}
private object RunEvaluator(CompilerResults compilerResults)
{
object result = null;
Assembly assembly = compilerResults.CompiledAssembly;
if (assembly != null)
{
string className = "ExpressionEvaluator";
object instance = assembly.CreateInstance("Lab.ExpressionEvaluator");
Module[] modules = assembly.GetModules(false);
Type type = (from t in modules[0].GetTypes()
where t.Name == className
select t).FirstOrDefault();
MethodInfo method = (from m in type.GetMethods()
where m.Name == "Evaluate"
select m).FirstOrDefault();
result = method.Invoke(instance, null);
}
else
{
throw new Exception("Unable to load Evaluator assembly");
}
return result;
}
我相信这些代码段显示了我项目的基本功能。现在我需要做的就是将它包装在自己的AppDomain中。
答案 0 :(得分:3)
使用GenerateInMemory执行此操作非常没有意义,您必须将其序列化到新的AppDomain中。这只是一堆开销,不如从磁盘加载它,无论如何它都在那里。它已经在记忆中了。文件系统缓存的内存。加载它将非常快,因为它实际上不必从磁盘读取。
答案 1 :(得分:2)
我在http://www.softwareinteractions.com/blog/2010/2/7/loading-and-unloading-net-assemblies.html找到了我要找的答案。他有一篇很好的文章,详细介绍了AppDomain的创建以及将程序集作为插件加载。我按照他的示例创建了一个AppDomain,为ExpressionEvaluator类工厂创建了一个代理,并成功调用它并接收结果。
答案 2 :(得分:1)
在定义dynamic assembly时使用AssemblyBuilderAccess.Run
http://msdn.microsoft.com/en-us/library/system.reflection.emit.assemblybuilderaccess.aspx
可以执行动态装配,但不能保存。
答案 3 :(得分:0)
CompilCode
方法来自哪里?似乎是最重要的部分。你决定把它留下来吗?