函数调用Reflection.Emit

时间:2016-01-14 01:29:16

标签: c# reflection compiler-construction il emit

我目前正在用C#编写一种编程语言。我对如何以动态方式执行函数调用感到困惑。我现在确定如何调用用户定义的函数。我理解输出“hello world”需要这样的东西:

ilg.Emit(OpCodes.Ldstr, "Hello, World!");
ilg.Emit(OpCodes.Call, typeof(Console).GetMethod("WriteLine",
            new Type[] {typeof(string)} ));

但如果有用户定义的功能,该怎么办?

最好的(或任何)方法是什么?

1 个答案:

答案 0 :(得分:1)

您可以传递MethodBuilder作为Emit的参数,因为MethodBuilder继承自MethodInfo,它将在调用时调用正确的方法。使用您的玩具程序def hello(string msg) { print(msg); } hello("Hello!");,此处显示如何为此发出代码:

ILGenerator ilg;
var asmName = new AssemblyName("DynamicAssembly");
var asmBuilder = AppDomain.CurrentDomain.DefineDynamicAssembly(asmName, AssemblyBuilderAccess.RunAndCollect);
var modBuilder = asmBuilder.DefineDynamicModule("DynamicAssembly");
var type = modBuilder.DefineType("<>CompilerFunctionClass", TypeAttributes.Class | TypeAttributes.Public);
type.DefineDefaultConstructor(MethodAttributes.Public);
var helloBuilder = type.DefineMethod("hello", MethodAttributes.Family | MethodAttributes.Static, typeof(void), new[] { typeof(string) });

// emitting code for hello later
var mainBuilder = type.DefineMethod("Main", MethodAttributes.Public);
ilg = mainBuilder.GetILGenerator();
ilg.Emit(OpCodes.Ldstr, "Hello, World!");
ilg.Emit(OpCodes.Call, helloBuilder);
ilg.Emit(OpCodes.Ret);

// Here we emit the code for hello.
ilg = helloBuilder.GetILGenerator();
ilg.Emit(OpCodes.Ldarg_0);
ilg.Emit(OpCodes.Call, typeof(Console).GetMethod("WriteLine",
            new Type[] { typeof(string) }));
ilg.Emit(OpCodes.Ret);

// just to show it works.
var t = type.CreateType();
dynamic d = Activator.CreateInstance(t);
d.Main(); // prints Hello, World!

您的编译器可能首先发现所有顶级函数名称,并为它们定义方法,然后它可以为每个函数生成代码。

请注意,Reflection.Emit适用于玩具示例和学习项目,但它不足以完成完整编译器所需的工作。请参阅评论here by Eric Lippert。他建议使用Common Compiler Infrastructure来构建编译器。我还没用过它,所以我不能说。