17

有没有办法为 Python 包指定可选依赖项,默认情况下应该从中安装,pip如果无法安装,安装不应被视为失败?

我知道我可以指定install_requires以便为 90% 使用可以轻松安装某些可选依赖项的操作系统的用户安装软件包,而且我也知道我可以指定extra_require指定用户可以声明他们想要完整安装来获得这些功能,但我还没有找到一种方法来进行默认pip安装尝试安装软件包,但如果无法安装它们也不会抱怨。

(我想更新的特定包setuptoolssetup.py称为music2195% 的工具可以在没有 matplotlib、IPython、scipy、pygame、一些晦涩的音频工具等的情况下运行,但如果这些包获得额外的能力和速度软件包已安装,我宁愿让人们默认拥有这些能力,但如果无法安装则不报告错误)

4

3 回答 3

6

无论如何都不是一个完美的解决方案,但您可以设置一个安装后脚本来尝试安装软件包,如下所示:

from distutils.core import setup
from distutils import debug


from setuptools.command.install import install
class PostInstallExtrasInstaller(install):
    extras_install_by_default = ['matplotlib', 'nothing']

    @classmethod
    def pip_main(cls, *args, **kwargs):
        def pip_main(*args, **kwargs):
            raise Exception('No pip module found')
        try:
            from pip import main as pip_main
        except ImportError:
            from pip._internal import main as pip_main

        ret = pip_main(*args, **kwargs)
        if ret:
            raise Exception(f'Exitcode {ret}')
        return ret

    def run(self):
        for extra in self.extras_install_by_default:
            try:
                self.pip_main(['install', extra])
            except Exception as E:
                print(f'Optional package {extra} not installed: {E}')
            else:
                print(f"Optional package {extra} installed")
        return install.run(self)


setup(
    name='python-package-ignore-extra-dep-failures',
    version='0.1dev',
    packages=['somewhat',],
    license='Creative Commons Attribution-Noncommercial-Share Alike license',
    install_requires=['requests',],
    extras_require={
        'extras': PostInstallExtrasInstaller.extras_install_by_default,
    },
    cmdclass={
        'install': PostInstallExtrasInstaller,
    },
)
于 2018-11-30T02:34:54.083 回答
0

最简单的方法是添加一个自定义安装命令,该命令简单地向 pip 安装“可选”包。在你的setup.py

import sys
import subprocess
from setuptools import setup
from setuptools.command.install import install

class MyInstall(install):
    def run(self):
        subprocess.call([sys.executable, "-m", "pip", "install", "whatever"])
        install.run(self)

setup(
    ...

    cmdclass={
        'install': MyInstall,
    },
)

如上所述hoefling,这在您发布源代码分发(.tar.gz.zip)时才有效。.whl如果您将包发布为内置发行版 ( ) ,它将不起作用。

于 2018-12-01T05:32:30.450 回答
0

这可能是您正在寻找的。它似乎是设置工具的内置功能,允许您声明“可选依赖项”。

https://setuptools.pypa.io/en/latest/userguide/dependency_management.html#optional-dependencies

前任

setup(
    name="Project-A",
    ...
    extras_require={
        'PDF':  ["ReportLab>=1.2", "RXP"],
        'reST': ["docutils>=0.3"],
    }
)
于 2018-12-06T01:30:47.470 回答