我正在Cython中包装一个C++库,我想将其作为Python包分发。我一直在使用本教程作为指南。
事情的组织方式如下。
.
├── inc
│ └── Rectangle.h
├── rect
│ ├── __init__.py
│ └── wrapper.pyx
├── setup.py
└── src
└── Rectangle.cpp
我已经将这些文件的内容粘贴在帖子的底部,以及这个 GitHub 存储库中。
我使用 python setup.py install
编译和安装没有问题,我可以毫无问题地从解释器import rect
。但它似乎是一个空类:我无法使用以下任何一项创建Rectangle
对象。- Rectangle
- rect.Rectangle
- wrapper.Rectangle
- rect.wrapper.Rectangle
我在这里做错了什么?
Rectangle.h
的内容,从教程中复制并粘贴。
namespace shapes {
class Rectangle {
public:
int x0, y0, x1, y1;
Rectangle();
Rectangle(int x0, int y0, int x1, int y1);
~Rectangle();
int getArea();
void getSize(int* width, int* height);
void move(int dx, int dy);
};
}
内容 Rectangle.cpp
.
#include "Rectangle.h"
namespace shapes {
Rectangle::Rectangle() { }
Rectangle::Rectangle(int X0, int Y0, int X1, int Y1) {
x0 = X0;
y0 = Y0;
x1 = X1;
y1 = Y1;
}
Rectangle::~Rectangle() { }
int Rectangle::getArea() {
return (x1 - x0) * (y1 - y0);
}
void Rectangle::getSize(int *width, int *height) {
(*width) = x1 - x0;
(*height) = y1 - y0;
}
void Rectangle::move(int dx, int dy) {
x0 += dx;
y0 += dy;
x1 += dx;
y1 += dy;
}
}
赛通包装器代码wrapper.pyx
.
# distutils: language = c++
# distutils: sources = src/Rectangle.cpp
cdef extern from "Rectangle.h" namespace "shapes":
cdef cppclass Rectangle:
Rectangle() except +
Rectangle(int, int, int, int) except +
int x0, y0, x1, y1
int getArea()
void getSize(int* width, int* height)
void move(int, int)
cdef class PyRectangle:
cdef Rectangle c_rect # hold a C++ instance which we're wrapping
def __cinit__(self, int x0, int y0, int x1, int y1):
self.c_rect = Rectangle(x0, y0, x1, y1)
def get_area(self):
return self.c_rect.getArea()
def get_size(self):
cdef int width, height
self.c_rect.getSize(&width, &height)
return width, height
def move(self, dx, dy):
self.c_rect.move(dx, dy)
我为这个文件组织改编setup.py
脚本。
from distutils.core import setup, Extension
from Cython.Build import cythonize
setup(
name='rect',
packages=['rect'],
ext_modules=cythonize(Extension(
'Rectangle',
sources=['rect/wrapper.pyx', 'src/Rectangle.cpp'],
include_dirs=['inc/'],
language='c++',
extra_compile_args=['--std=c++11'],
extra_link_args=['--std=c++11']
)),
)
您的导入语句作用于可能为空的__init__.py
但是安装脚本应该创建一个.so
文件。因此,您必须运行它,而不是使用install
而是使用build_ext
(和--inplace
(运行它,这为您提供了可以导入的.so
文件。但是要小心你的名字,setup.py
你最终会在调用import rect
时导入几个可能的项目。避免扩展名的名称与包相同(或事后相应地修改__init__.py
文件(
在这种情况下,问题原来是.pyx
文件和扩展名没有相同的基名。当我将wrapper.pyx
重命名为 Rectangle
并重新安装时,我能够在 Python 解释器中运行以下内容。
>>> import Rectangle
>>> r = Rectangle.PyRectangle(0, 0, 1, 1)
>>> r.get_area()
1
>>>