Reflection.Emit中的函数调用
本文关键字:函数调用 Emit Reflection | 更新日期: 2023-09-27 18:30:10
我目前正在用C#编写一种编程语言。我对如何以动态方式执行函数调用感到困惑。我现在确定了如何调用用户定义的函数。我知道要输出"你好世界",需要这样的东西:
ilg.Emit(OpCodes.Ldstr, "Hello, World!");
ilg.Emit(OpCodes.Call, typeof(Console).GetMethod("WriteLine",
new Type[] {typeof(string)} ));
但是,如果有一个用户定义的函数,我该怎么办?
最好的(或任何)方法是什么?
您可以传递一个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适用于玩具示例和学习项目,但它的功能还不足以完成完整编译器所需的工作。请参阅Eric Lippert的评论。他建议使用公共编译器基础结构来构建编译器。我没有用过,所以我不能说。