Pip可以在安装时安装setup.py中未指定的依赖项吗?

时间:2010-11-11 00:28:48

标签: python setuptools pip

当用户发出安装原始软件的命令时,我希望pip安装我在GitHub上的依赖项,也可以从GitHub上的源代码安装。这些软件包都不在PyPi上(永远不会)。

用户发出命令:

pip -e git+https://github.com/Lewisham/cvsanaly@develop#egg=cvsanaly

此repo有一个requirements.txt文件,另一个依赖于GitHub:

-e git+https://github.com/Lewisham/repositoryhandler#egg=repositoryhandler

我想要的是用户可以发出安装原始软件包的单一命令,让pip找到需求文件,然后安装依赖项。

3 个答案:

答案 0 :(得分:36)

This answer帮我解决了你所说的同样问题。

似乎没有一种简单的方法可以让setup.py直接使用需求文件来定义其依赖关系,但是可以将相同的信息放入setup.py本身。

我有这个要求.txt:

PIL
-e git://github.com/gabrielgrant/django-ckeditor.git#egg=django-ckeditor

但是在安装requires.txt包含的包时,pip会忽略这些要求。

这个setup.py似乎强迫pip安装依赖项(包括我的github版本的django-ckeditor):

from setuptools import setup

setup(
    name='django-articles',
    ...,
    install_requires=[
        'PIL',
        'django-ckeditor>=0.9.3',
    ],
    dependency_links = [
        'http://github.com/gabrielgrant/django-ckeditor/tarball/master#egg=django-ckeditor-0.9.3',
    ]
)

修改

This answer还包含一些有用的信息。

需要将版本指定为“#egg = ...”的一部分,以确定链接上可用的软件包版本。 但是,请注意,如果您总是希望依赖于最新版本,则可以在install_requires,dependency_links和其他软件包的setup.py

中将版本设置为dev

修改:使用dev作为版本不是一个好主意,如下面的评论。

答案 1 :(得分:13)

这是我用来从需求文件生成install_requiresdependency_links的小脚本。

import os
import re

def which(program):
    """
    Detect whether or not a program is installed.
    Thanks to http://stackoverflow.com/a/377028/70191
    """
    def is_exe(fpath):
        return os.path.exists(fpath) and os.access(fpath, os.X_OK)

    fpath, _ = os.path.split(program)
    if fpath:
        if is_exe(program):
            return program
    else:
        for path in os.environ['PATH'].split(os.pathsep):
            exe_file = os.path.join(path, program)
            if is_exe(exe_file):
                return exe_file

    return None

EDITABLE_REQUIREMENT = re.compile(r'^-e (?P<link>(?P<vcs>git|svn|hg|bzr).+#egg=(?P<package>.+)-(?P<version>\d(?:\.\d)*))$')

install_requires = []
dependency_links = []

for requirement in (l.strip() for l in open('requirements')):
    match = EDITABLE_REQUIREMENT.match(requirement)
    if match:
        assert which(match.group('vcs')) is not None, \
            "VCS '%(vcs)s' must be installed in order to install %(link)s" % match.groupdict()
        install_requires.append("%(package)s==%(version)s" % match.groupdict())
        dependency_links.append(match.group('link'))
    else:
        install_requires.append(requirement)

答案 2 :(得分:1)

这会回答你的问题吗?

setup(name='application-xpto',
  version='1.0',
  author='me,me,me',
  author_email='xpto@mail.com',
  packages=find_packages(),
  include_package_data=True,
  description='web app',
  install_requires=open('app/requirements.txt').readlines(),
  )