在现代软件开发中,多语言集成已成为提升应用性能和灵活性的重要手段。Python作为一种功能强大且广泛应用的编程语言,常被用于数据处理、机器学习等领域。而C#作为.NET框架的核心语言,以其类型安全和高性能著称。本文将探讨如何将Python集成到C#.NET Core应用程序中,使用Python for .NET库实现两种语言的无缝交互。
Python for .NET,也称为Pythonnet,是一个允许.NET应用程序调用Python代码的库。通过这个库,开发者可以在C#代码中直接运行Python脚本,调用Python函数,甚至将Python对象传递给C#函数,反之亦然。
要开始使用Pythonnet,首先需要通过NuGet安装pythonnet包。安装完成后,可以通过以下步骤在C#代码中使用Python脚本。
以下是一个简单的示例,展示了如何在C#中运行Python脚本打印"Hello World from Python!"。
using Python.Runtime;
internal sealed class Program {
private static void Main(string[] args) {
Runtime.PythonDLL = "python310.dll";
PythonEngine.Initialize();
using (Py.GIL()) {
using var scope = Py.CreateScope();
scope.Exec("print('Hello World from Python!')");
}
}
}
在这段代码中,首先设置了Python DLL的路径,然后初始化Python引擎,并创建了一个Python执行环境。通过调用Exec方法,执行了一个简单的Python脚本。
Pythonnet还允许直接从C#代码调用Python函数。以下是一个创建Python函数并在C#中调用它的示例。
using System;
using Python.Runtime;
internal sealed class Program {
private static void Main(string[] args) {
Runtime.PythonDLL = "python310.dll";
PythonEngine.Initialize();
using (Py.GIL()) {
Console.WriteLine("Enter first integer:");
var firstInt = int.Parse(Console.ReadLine());
Console.WriteLine("Enter second integer:");
var secondInt = int.Parse(Console.ReadLine());
using dynamic scope = Py.CreateScope();
scope.Exec("def add(a, b): return a + b");
var sum = scope.add(firstInt, secondInt);
Console.WriteLine($"Sum: {sum}");
}
}
}
在这个示例中,定义了一个名为add的Python函数,它接受两个整数参数并返回它们的和。然后,使用C#代码调用这个函数,并打印出结果。
Pythonnet还支持在Python和C#之间传递对象。以下是一个示例,展示了如何从Python获取一个列表并在C#中遍历它。
using Python.Runtime;
internal sealed class Program {
private static void Main(string[] args) {
Runtime.PythonDLL = "python310.dll";
PythonEngine.Initialize();
using (Py.GIL()) {
using var scope = Py.CreateScope();
scope.Exec("number_list = [1, 2, 3, 4, 5]");
var pythonListObj = scope.Eval("number_list");
var csharpListObj = pythonListObj.As();
Console.WriteLine("The numbers from python are:");
foreach (var value in csharpListObj) {
Console.WriteLine(value);
}
Console.WriteLine("Press enter to exit.");
Console.ReadLine();
}
}
}