假设在内存中创建一个(可执行的)程序集 编译代码字符串。然后我想序列化这个程序集 将对象转换为字节数组,然后将其存储在数据库中。然后 我希望从数据库中检索字节数组并反序列化 字节数组返回到汇编对象,然后调用该条目 集会的要点。
起初我只是尝试像在.net中的任何其他简单对象一样进行此序列化,但显然这不适用于程序集对象。程序集对象包含一个名为GetObjectData的方法,该方法获取重新安装程序集所需的序列化数据。所以我有点困惑的是我如何将这一切拼凑起来用于我的场景。
答案只需要展示如何获取程序集对象,将其转换为字节数组,将其转换回程序集,然后在反序列化程序集上执行entry方法。
答案 0 :(得分:3)
程序集更方便地表示为二进制dll文件。如果您认为就像那样,其余的问题就会消失。特别是,请查看Assembly.Load(byte[])
从二进制文件加载 Assembly
。要将其写为二进制文件,请使用CompileAssemblyFromSource
并查看结果PathToAssembly
- 然后File.ReadAllBytes(path)
以从文件中获取二进制文件。
答案 1 :(得分:0)
System.Reflection.Assembly
是ISerializable
,可以简单地序列化,如下所示:
Assembly asm = Assembly.GetExecutingAssembly();
BinaryFormatter formatter = new BinaryFormatter();
MemoryStream stream = new MemoryStream();
formatter.Serialize(stream, asm);
和反序列化同样简单,但请改为调用BinaryFormatter.Deserialize
。
答案 2 :(得分:0)
使用反射获取程序集字节的肮脏技巧:
MethodInfo pi = assembly.GetType().GetMethod("GetRawBytes", BindingFlags.Instance | BindingFlags.NonPublic);
object o = pi.Invoke(assembly, null);
byte[] assemblyBytes = (byte[])o;
说明:至少在我的示例中(程序集从字节数组加载),程序集实例的类型为“ System.Reflection.RuntimeAssembly”。这是一个内部类,因此只能使用反射对其进行访问。 “ RuntimeAssembly”具有方法“ GetRawBytes”,该方法返回程序集字节。
答案 3 :(得分:0)
这是我的例子:
public static byte[] SerializeAssembly()
{
var compilerOptions = new Dictionary<string, string> { { "CompilerVersion", "v4.0" } };
CSharpCodeProvider provider = new CSharpCodeProvider(compilerOptions);
CompilerParameters parameters = new CompilerParameters()
{
GenerateExecutable = false,
GenerateInMemory = false,
OutputAssembly = "Examples.dll",
IncludeDebugInformation = false,
};
parameters.ReferencedAssemblies.Add("System.dll");
ICodeCompiler compiler = provider.CreateCompiler();
CompilerResults results = compiler.CompileAssemblyFromSource(parameters, StringClassFile());
return File.ReadAllBytes(results.CompiledAssembly.Location);
}
private static Assembly DeserializeAssembyl(object fromDataReader)
{
byte[] arr = (byte[])fromDataReader;
return Assembly.Load(arr);
}
private string StringClassFile()
{
return "using System;" +
"using System.IO;" +
"using System.Threading;" +
"namespace Examples" +
"{" +
" public class FileCreator" +
" {" +
" private string FolderPath { get; set; }" +
" public FileCreator(string folderPath)" +
" {" +
" this.FolderPath = folderPath;" +
" }" +
" public void CreateFile(Guid name)" +
" {" +
" string fileName = string.Format(\"{0}.txt\", name.ToString());" +
" string path = Path.Combine(this.FolderPath, fileName);" +
" if (!File.Exists(path))" +
" {" +
" using (StreamWriter sw = File.CreateText(path))" +
" {" +
" sw.WriteLine(\"file: {0}\", fileName);" +
" sw.WriteLine(\"Created from thread id: {0}\", Thread.CurrentThread.ManagedThreadId);" +
" }" +
" }" +
" else" +
" {" +
" throw new Exception(string.Format(\"duplicated file found {0}\", fileName));" +
" }" +
" }" +
" }" +
"}";
}