2

我正在寻找有关如何构建 Python 包的信息,该包包含用 Rust 编写的扩展模块,两种语言混合在一起。我正在将 pyO3 用于 FFI,但似乎找不到有关如何执行此操作的示例。具体来说:我的 rust 库公开了一种类型,该类型后来被 python 类包装。只有 python 类应该为以后的用户公开,并且包应该是结构化的,这样它就可以被推送到 PyPI。

例如:

在生锈的一面

#[pyclass]
pub struct Point {
    x: f64,
    y: f64 
}

#[pymethods]
impl Point {
    #[new]
    pub fn new(x: f64, y: f64) -> Self { Self{x, y} }
}

在蟒蛇方面

from ??? import Point

class Points:
    points: List[Point] 
    
    def __init__(self, points: List[Tuple[float, float]]):
        self.points = []
        for point in points:
            x, y = point
            self.points.append(Point(x, y))

我会感谢任何信息、来源、示例等!

4

1 回答 1

0

我找到了一种使用 Maturin 的方法。因此,如果其他人试图找出如何做到这一点,这里有一种方法。

该项目需要具有以下结构:

my_project
├── Cargo.toml
├── my_project
│   ├── __init__.py
│   └── sum.py
└── src
    └── lib.rs

Cargo.toml 可以是:

[package]
name = "my_project"
version = "0.1.0"
edition = "2018"

[lib]
name = "my_project"
crate-type = ["cdylib"]

[dependencies.pyo3]
version = "0.14.5"
features = ["extension-module"]

lib.rs 的一个示例是:

use pyo3::prelude::*;

#[pyfunction]
fn sum_as_string(a: usize, b: usize) -> PyResult<String> {
    Ok((a + b).to_string())
}

#[pymodule]
fn my_project(_py: Python, m: &PyModule) -> PyResult<()> {
    m.add_function(wrap_pyfunction!(sum_as_string, m)?)?;
    Ok(())
}

现在在 sum.py 中可以访问该功能(maturin develop在开发过程中使用后,以及在之后自动发布时maturin build):

from .my_project import sum_as_string

class Sum:
    sum: str
    
    def __init__(self, lhs: int, rhs: int):
        self.sum = sum_as_string(lhs, rhs)

例如,_init _.py 文件只能公开 Sum 类:

from .sum import Sum
于 2021-10-15T14:05:09.683 回答