如何使用“pip install”运行单元测试?

问题描述 投票:1回答:2

在工作中,我们正在考虑为内部软件部署配置本地pypi存储库。使用“pip install”进行部署会很方便,但我担心在添加新软件包之后应该执行单元测试以确保正确安装。我一直认为pip正在这样做,但我认为在pip文档中没有任何与测试相关的内容。

python pip
2个回答
1
投票

您可以通过pip将参数传递给setup.py:

--install-option要提供给setup.py install命令的额外参数(使用类似-install-option =“ - install-scripts = / usr / local / bin”)。使用多个-install-option选项将多个选项传递给setup.py install。如果您使用带有目录路径的选项,请确保使用绝对路径。

pip install --install-option test

将发行

setup.py test

那么你需要setup.cfg在setup.py所在的目录中:

# setup.cfg
[aliases]
test=pytest

示例setup.py:

# setup.py
"""Setuptools entry point."""
import codecs
import os

try:
    from setuptools import setup
except ImportError:
    from distutils.core import setup


CLASSIFIERS = [
    'Development Status :: 5 - Production/Stable',
    'Intended Audience :: Developers',
    'License :: OSI Approved :: MIT License',
    'Natural Language :: English',
    'Operating System :: OS Independent',
    'Programming Language :: Python',
    'Topic :: Software Development :: Libraries :: Python Modules'
]

dirname = os.path.dirname(__file__)

long_description = (
    codecs.open(os.path.join(dirname, 'README.rst'), encoding='utf-8').read() + '\n' +
    codecs.open(os.path.join(dirname, 'CHANGES.rst'), encoding='utf-8').read()
)

setup(
    name='your_package',
    version='0.0.1',
    description='some short description',
    long_description=long_description,
    long_description_content_type='text/x-rst',
    author='Your Name',
    author_email='[email protected]',
    url='https://github.com/your_account/your_package',
    packages=['your_package'],
    install_requires=['pytest',
                      'typing',
                      'your_package'],
    classifiers=CLASSIFIERS,
    setup_requires=['pytest-runner'],
    tests_require=['pytest'])

-2
投票

有一种方法:

import pkg_resources as pkr
packages = [(v.project_name, v.version) for v in pkr.working_set]
print (packages)
# [('zope.interface', '4.5.0'), ..., ('absl-py', '0.2.2')]

这将为您提供一个元组列表,然后您可以对其进行过滤和搜索,以查找它们是否与您需要的内容相匹配。 简单的例子:

if packages[-1] == ('absl-py', '0.2.2'):
    print ('aye')
#aye

package_dict = dict(packages) 
#this converts the packages into a dictionary format
#However, you can simply open a file via
#with open('packages.txt', 'r') as f:
#process your packages into a dict object here, then use the below code    

for i,v in packages:
    if package_dict[i] == v:
        print ('yay') #will print yay multiple times
© www.soinside.com 2019 - 2024. All rights reserved.