Reputation: 41817
python setup.py install
will automatically install packages listed in requires=[]
using easy_install
. How do I get it to use pip
instead?
Upvotes: 163
Views: 156828
Reputation: 137722
Yes you can. You can install a package from a tarball or a folder, on the web or your computer. For example:
pip install https://pypi.python.org/packages/source/r/requests/requests-2.3.0.tar.gz
wget https://pypi.python.org/packages/source/r/requests/requests-2.3.0.tar.gz
pip install requests-2.3.0.tar.gz
tar -zxvf requests-2.3.0.tar.gz
cd requests-2.3.0
pip install .
You can delete the requests-2.3.0
folder.
pip install -e .
This installs the package in editable mode. Any changes you make to the code will immediately apply across the system. This is useful if you are the package developer and want to test changes. It also means you can't delete the folder without breaking the install.
Upvotes: 176
Reputation: 6754
If you are really set on using python setup.py install
you could try something like this:
from setuptools import setup, find_packages
from setuptools.command.install import install as InstallCommand
class Install(InstallCommand):
""" Customized setuptools install command which uses pip. """
def run(self, *args, **kwargs):
import pip
pip.main(['install', '.'])
InstallCommand.run(self, *args, **kwargs)
setup(
name='your_project',
version='0.0.1a',
cmdclass={
'install': Install,
},
packages=find_packages(),
install_requires=['simplejson']
)
Upvotes: 7
Reputation: 36071
You can pip install
a file perhaps by python setup.py sdist
first. You can also pip install -e .
which is like python setup.py develop
.
Upvotes: 116