我试图在cython中使用显式相对导入.从 release notes开始,似乎相对导入应该在cython 0.23之后工作,而我使用的是0.23.4和python 3.5.但我得到了这个奇怪的错误,我找不到很多引用.错误仅来自cimport:
driver.pyx:4:0: relative cimport beyond main package is not allowed
目录结构是:
myProject/
setup.py
__init__.py
test/
driver.pyx
other.pyx
other.pxd
好像我可能搞乱了setup.py所以我包含了下面的所有文件.
Setup.py
from setuptools import setup
from distutils.extension import Extension
from Cython.Distutils import build_ext
ext_modules = [
Extension('other', ['test/other.pyx'],),
Extension('driver', ['test/driver.pyx'],),
]
setup(
name='Test',
ext_modules=ext_modules,
include_dirs=["test/"],
cmdclass={'build_ext': build_ext},
)
driver.pyx
#!/usr/bin/env python
from . import other
from . cimport other
other.pyx
#!/usr/bin/env python
HI = "Hello"
cdef class Other:
def __init__(self):
self.name = "Test"
cdef get_name(self):
return self.name
other.pxd
cdef class Other:
cdef get_name(self)
我已经尝试将__init__.py移动到测试中.我已经尝试在测试目录中运行setup.py(适当调整include_dirs).他们都给出了同样的错误.如果我做cimport其他并删除.它可以工作,但这是一个玩具示例,我需要相对导入,以便其他文件夹可以正确导入.这是我能找到的唯一一个这个错误的example,我非常有信心我的问题不同了.
最佳答案 我能找到这个错误的唯一其他 example是0700的 hal.pyx.我非常有信心这是一个不同的错误,但今天我意识到在错误解决后,机器工具正在工作,这意味着显式相对导入必须工作.他们的setup.py文件是指linuxcnc,它不在目录树中,但我想是在编译期间的某个时刻创建的.重要的是include_dirs包括父目录而不是子目录.
转换为我的项目结构,这意味着我将myProject放在include_dirs而不是test /.在第guide次读完之后,我终于开始了解python如何看待包.问题是include_dirs是子目录.看起来这有效地使cython将其视为单个平面目录,在这种情况下不允许相对导入?像这样的错误可能会使它更清晰:
ValueError: Attempted relative import in non-package
我仍然没有足够深刻的理解来确切知道发生了什么,但幸运的是,解决方案相对简单.我刚刚更改了include_dirs以使cython识别嵌套文件结构:
from setuptools import setup
from distutils.extension import Extension
from Cython.Distutils import build_ext
ext_modules = [
Extension('other', ['test/other.pyx'],),
Extension('driver', ['test/driver.pyx'],),
]
setup(
name='Test',
ext_modules=ext_modules,
include_dirs=["."],
cmdclass={'build_ext': build_ext},
)
现在一切正常!