PyBind 很棒,向作者/维护者大声喊叫!你有一个几乎可以工作的例子here。
适应您的问题,它会给出类似(El Dude评论后编辑的答案):
#include <iostream>
#include <pybind11/pybind11.h>
#include <pybind11/numpy.h>
namespace py = pybind11;
py::array_t<double> add_arrays(py::array_t<double> input1, py::array_t<double> input2) {
py::buffer_info buf1 = input1.request();
py::buffer_info buf2 = input2.request();
if (buf1.size != buf2.size) {
throw std::runtime_error("Input shapes must match");
}
/* allocate the buffer */
py::array_t<double> result = py::array_t<double>(buf1.size);
py::buffer_info buf3 = result.request();
double *ptr1 = (double *) buf1.ptr,
*ptr2 = (double *) buf2.ptr,
*ptr3 = (double *) buf3.ptr;
int X = buf1.shape[0];
int Y = buf1.shape[1];
for (size_t idx = 0; idx < X; idx++) {
for (size_t idy = 0; idy < Y; idy++) {
ptr3[idx*Y + idy] = ptr1[idx*Y+ idy] + ptr2[idx*Y+ idy];
}
}
// reshape array to match input shape
result.resize({X,Y});
return result;
}
PYBIND11_MODULE(example, m) {
m.doc() = "Add two vectors using pybind11"; // optional module docstring
m.def("add_arrays", &add_arrays, "Add two NumPy arrays");
}
我使用 python2.7 和 gcc v5.4 在 linux 上构建(我必须使用与文档中提供的命令略有不同的命令,因为找不到 Python.h,因此我添加了指向 python 2.7 的链接)
c++ -O3 -Wall -shared -std=c++11 -fPIC -I/usr/include/python2.7 -lpython2.7 `python -m pybind11 --includes` example.cpp -o example`python-config --extension-suffix
你会从 python 调用它
import numpy as np
import example # [bad] name I chose for my compiled module
a = np.zeros((10,3))
b = np.ones((10,3)) * 3
c = example.add_arrays(a, b)
print c
希望能帮助到你。
编辑 - 我创建了一个github 存储库,其中包含一些基于 PyBind11 的完整示例,应该可以在所有平台上编译。