我想从同一目录中的另一个文件导入一个函数。
通常,以下工作之一:
from .mymodule import myfunction
from mymodule import myfunction
…但另一个给了我一个错误:
ImportError: attempted relative import with no known parent package
ModuleNotFoundError: No module named 'mymodule'
SystemError: Parent module '' not loaded, cannot perform relative import
这是为什么?
如果以下导入:
from . import something
不适用于您,这是因为这是python打包导入,不会与您的常规实现一起使用,下面是一个示例来演示如何使用它:
文件夹结构:
.
└── funniest
├── funniest
│ ├── __init__.py
│ └── text.py
├── main.py
└── setup.py
内部__init__.py添加:
def available_module():
return "hello world"
text.py添加:
from . import available_module
在setup.py中添加
from setuptools import setup
setup(name='funniest',
version='0.1',
description='The funniest joke in the world',
url='http://github.com/storborg/funniest',
author='Flying Circus',
author_email='flyingcircus@example.com',
license='MIT',
packages=['funniest'],
zip_safe=False)
现在,这是安装软件包最重要的部分:
pip install .
在我们的系统中使用相同Python的任何地方,我们现在都可以这样做:
>> import funnies.text as fun
>> fun.available_module()
这应该输出“hello world”
您可以在main.py中测试它(这不需要安装任何软件包)
这也是main.py
import funniest.text as fun
print(fun.available_module())