我一直在使用cx-freeze从一组Python脚本创建可执行文件。 setup.py
如下所示
from cx_Freeze import setup, Executable
setup(name='foo',
version='1.0',
description='some description',
options={'build_exe': {'includes': ['numpy.core._methods',
'numpy.lib.format',
'matplotlib'],
'packages': ['matplotlib.backends.backend_agg']}},
executables=[Executable('main.py', targetName="foo.exe")])
然后我从命令行调用构建
python setup.py build
这会成功并创建可执行文件以及所需的依赖项。但是,当我尝试运行该应用程序时,我看到以下内容(已修改路径以删除个人信息)
> build\foo.exe
Traceback (most recent call last):
File "{long_path}\venv\lib\site-packages\cx_Freeze\initscripts\__startup__.py", line 14, in run
module.run()
File "{long_path}\venv\lib\site-packages\cx_Freeze\initscripts\Console.py", line 26, in run
exec(code, m.__dict__)
File "main.py", line 11, in <module>
File "{root_path}\plot.py", line 5, in <module>
import matplotlib
File "{long_path}\venv\lib\site-packages\matplotlib\__init__.py", line 109, in <module>
import distutils.version
File "{long_path}\venv\lib\distutils\__init__.py", line 17, in <module>
real_distutils = imp.load_module("_virtualenv_distutils", None, distutils_path, ('', '', imp.PKG_DIRECTORY))
File "{long_path}\venv\lib\imp.py", line 245, in load_module
return load_package(name, filename)
File "{long_path}\venv\lib\imp.py", line 217, in load_package
return _load(spec)
File "<frozen importlib._bootstrap>", line 692, in _load
AttributeError: 'NoneType' object has no attribute 'name'
setup.py
中的内容有误吗?我该怎么做才能纠正这个应用程序的构建?
版本:
Python 3.5.4 (v3.5.4:3f56838, Aug 8 2017, 02:17:05) [MSC v.1900 64 bit (AMD64)] on win32
cx-Freeze==5.1.1
答案 0 :(得分:2)
显然,使用cx-freeze
,distutils
和virtualenv
的组合时,这是一个众所周知的错误(请参阅here)。
从以上链接:
发生此问题是因为
distutils
未将其所有模块安装到virtualenv中,它只会在__init__
文件中创建一个带有一些魔术代码的包,以动态导入其子模块。这是cx-freeze的静态模块分析的一个问题,它在build
命令期间抱怨它无法找到distutils模块。
上述链接中的解决方案(解决方法):
使用的解决方法是告诉cx-freeze
排除distutils
并手动添加原始解释器(而不是virtualenv
)中的包。
# contents of setup.py
from cx_Freeze import setup, Executable
import distutils
import opcode
import os
# opcode is not a virtualenv module, so we can use it to find the stdlib; this is the same
# trick used by distutils itself it installs itself into the virtualenv
distutils_path = os.path.join(os.path.dirname(opcode.__file__), 'distutils')
build_exe_options = {'include_files': [(distutils_path, 'lib/distutils')],
'excludes': ['distutils']}
setup(
name="foo",
version="0.1",
description="My app",
options={"build_exe": build_exe_options},
executables=[Executable("foo_main.py", base=None)],
)