这个SO问题提供了在C#中创建python类实例的代码。
以下代码强制提前知道 python 函数名称。但是,我需要指定类名和要由字符串执行的函数名。
ScriptEngine engine = Python.CreateEngine();
ScriptSource source = engine.CreateScriptSourceFromFile("Calculator.py");
ScriptScope scope = engine.CreateScope();
source.Execute(scope);
dynamic class_object = scope.GetVariable("Calculator");
dynamic class_instance = class_object();
int result = class_instance.add(4, 5); // I need to call the function by a string
方法是安装名为 Dynamitey
的 nuget 包。它专门设计用于在动态对象上调用动态方法(以及执行其他有用的操作)。安装后,只需执行以下操作:
static void Main(string[] args)
{
ScriptEngine engine = Python.CreateEngine();
ScriptSource source = engine.CreateScriptSourceFromFile("Calculator.py");
ScriptScope scope = engine.CreateScope();
source.Execute(scope);
dynamic class_object = scope.GetVariable("Calculator");
dynamic class_instance = class_object();
int result = Dynamic.InvokeMember(class_instance, "add", 4, 5);
}
如果你想知道它在后台做了什么 - 它使用与 C# 编译器用于动态调用的相同代码。这是一个很长的故事,但如果你想阅读这个,你可以在这里做,例如。
您正在寻找 Invoke 和 InvokeMember IronPython 方法:
ScriptEngine engine = Python.CreateEngine();
ScriptSource source = engine.CreateScriptSourceFromFile("Calculator.py");
ScriptScope scope = engine.CreateScope();
source.Execute(scope);
object class_object = scope.GetVariable("Calculator");
object class_instance = engine.Operations.Invoke(class_object);
object[] args = new object[2];
args[0] = 4;
args[1] = 5;
int result = (int)engine.Operations.InvokeMember(class_instance, "add", args); // Method called by string
// "args" is optional for methods which don't require arguments.
我还将dynamic
类型更改为 object
,因为此代码示例不再需要它,但如果您需要调用一些固定名称的方法,您可以自由保留它。