setup.py 5.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231
  1. #!/usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. import codecs
  4. import os
  5. import re
  6. import sys
  7. import setuptools
  8. import setuptools.command.test
  9. try:
  10. from platform import python_implementation as _pyimp
  11. except (AttributeError, ImportError):
  12. def _pyimp():
  13. return 'Python (unknown)'
  14. NAME = 'celery'
  15. # -*- Python Versions -*-
  16. E_UNSUPPORTED_PYTHON = """
  17. ----------------------------------------
  18. Celery 4.0 requires %s %s or later
  19. ----------------------------------------
  20. - For CPython 2.6, PyPy 1.x, Jython 2.6, CPython 3.2->3.3; use Celery 3.1:
  21. $ pip install 'celery<4'
  22. - For CPython 2.5, Jython 2.5; use Celery 3.0:
  23. $ pip install 'celery<3.1'
  24. - For CPython 2.4; use Celery 2.2:
  25. $ pip install 'celery<2.3'
  26. """
  27. PYIMP = _pyimp()
  28. PY26_OR_LESS = sys.version_info < (2, 7)
  29. PY3 = sys.version_info[0] == 3
  30. PY33_OR_LESS = PY3 and sys.version_info < (3, 4)
  31. PYPY_VERSION = getattr(sys, 'pypy_version_info', None)
  32. PYPY = PYPY_VERSION is not None
  33. PYPY24_ATLEAST = PYPY_VERSION and PYPY_VERSION >= (2, 4)
  34. if PY26_OR_LESS:
  35. raise Exception(E_UNSUPPORTED_PYTHON % (PYIMP, '2.7'))
  36. elif PY33_OR_LESS and not PYPY24_ATLEAST:
  37. raise Exception(E_UNSUPPORTED_PYTHON % (PYIMP, '3.4'))
  38. # -*- Extras -*-
  39. EXTENSIONS = {
  40. 'auth',
  41. 'cassandra',
  42. 'django',
  43. 'elasticsearch',
  44. 'memcache',
  45. 'pymemcache',
  46. 'couchbase',
  47. 'eventlet',
  48. 'gevent',
  49. 'msgpack',
  50. 'yaml',
  51. 'redis',
  52. 'sqs',
  53. 'couchdb',
  54. 'riak',
  55. 'zookeeper',
  56. 'solar',
  57. 'sqlalchemy',
  58. 'azureblockblob',
  59. 'librabbitmq',
  60. 'pyro',
  61. 'slmq',
  62. 'tblib',
  63. 'consul',
  64. 'dynamodb',
  65. 'mongodb',
  66. }
  67. # -*- Classifiers -*-
  68. classes = """
  69. Development Status :: 5 - Production/Stable
  70. License :: OSI Approved :: BSD License
  71. Topic :: System :: Distributed Computing
  72. Topic :: Software Development :: Object Brokering
  73. Programming Language :: Python
  74. Programming Language :: Python :: 2
  75. Programming Language :: Python :: 2.7
  76. Programming Language :: Python :: 3
  77. Programming Language :: Python :: 3.4
  78. Programming Language :: Python :: 3.5
  79. Programming Language :: Python :: 3.6
  80. Programming Language :: Python :: 3.7
  81. Programming Language :: Python :: Implementation :: CPython
  82. Programming Language :: Python :: Implementation :: PyPy
  83. Operating System :: OS Independent
  84. """
  85. # -*- Distribution Meta -*-
  86. re_meta = re.compile(r'__(\w+?)__\s*=\s*(.*)')
  87. re_doc = re.compile(r'^"""(.+?)"""')
  88. def _add_default(m):
  89. attr_name, attr_value = m.groups()
  90. return ((attr_name, attr_value.strip("\"'")),)
  91. def _add_doc(m):
  92. return (('doc', m.groups()[0]),)
  93. def parse_dist_meta():
  94. """Extract metadata information from ``$dist/__init__.py``."""
  95. pats = {re_meta: _add_default, re_doc: _add_doc}
  96. here = os.path.abspath(os.path.dirname(__file__))
  97. with open(os.path.join(here, NAME, '__init__.py')) as meta_fh:
  98. distmeta = {}
  99. for line in meta_fh:
  100. if line.strip() == '# -eof meta-':
  101. break
  102. for pattern, handler in pats.items():
  103. m = pattern.match(line.strip())
  104. if m:
  105. distmeta.update(handler(m))
  106. return distmeta
  107. # -*- Requirements -*-
  108. def _strip_comments(l):
  109. return l.split('#', 1)[0].strip()
  110. def _pip_requirement(req):
  111. if req.startswith('-r '):
  112. _, path = req.split()
  113. return reqs(*path.split('/'))
  114. return [req]
  115. def _reqs(*f):
  116. return [
  117. _pip_requirement(r) for r in (
  118. _strip_comments(l) for l in open(
  119. os.path.join(os.getcwd(), 'requirements', *f)).readlines()
  120. ) if r]
  121. def reqs(*f):
  122. """Parse requirement file.
  123. Example:
  124. reqs('default.txt') # requirements/default.txt
  125. reqs('extras', 'redis.txt') # requirements/extras/redis.txt
  126. Returns:
  127. List[str]: list of requirements specified in the file.
  128. """
  129. return [req for subreq in _reqs(*f) for req in subreq]
  130. def extras(*p):
  131. """Parse requirement in the requirements/extras/ directory."""
  132. return reqs('extras', *p)
  133. def install_requires():
  134. """Get list of requirements required for installation."""
  135. return reqs('default.txt')
  136. def extras_require():
  137. """Get map of all extra requirements."""
  138. return {x: extras(x + '.txt') for x in EXTENSIONS}
  139. # -*- Long Description -*-
  140. def long_description():
  141. try:
  142. return codecs.open('README.rst', 'r', 'utf-8').read()
  143. except IOError:
  144. return 'Long description error: Missing README.rst file'
  145. # -*- Command: setup.py test -*-
  146. class pytest(setuptools.command.test.test):
  147. user_options = [('pytest-args=', 'a', 'Arguments to pass to py.test')]
  148. def initialize_options(self):
  149. setuptools.command.test.test.initialize_options(self)
  150. self.pytest_args = []
  151. def run_tests(self):
  152. import pytest as _pytest
  153. sys.exit(_pytest.main(self.pytest_args))
  154. # -*- %%% -*-
  155. meta = parse_dist_meta()
  156. setuptools.setup(
  157. name=NAME,
  158. packages=setuptools.find_packages(exclude=['t', 't.*']),
  159. version=meta['version'],
  160. description=meta['doc'],
  161. long_description=long_description(),
  162. keywords=meta['keywords'],
  163. author=meta['author'],
  164. author_email=meta['contact'],
  165. url=meta['homepage'],
  166. license='BSD',
  167. platforms=['any'],
  168. install_requires=install_requires(),
  169. python_requires=">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*",
  170. tests_require=reqs('test.txt'),
  171. extras_require=extras_require(),
  172. classifiers=[s.strip() for s in classes.split('\n') if s],
  173. cmdclass={'test': pytest},
  174. include_package_data=True,
  175. zip_safe=False,
  176. entry_points={
  177. 'console_scripts': [
  178. 'celery = celery.__main__:main',
  179. ],
  180. 'pytest11': [
  181. 'celery = celery.contrib.pytest',
  182. ],
  183. },
  184. )