util.py 23 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619
  1. # Copyright (c) 2013 Hewlett-Packard Development Company, L.P.
  2. #
  3. # Licensed under the Apache License, Version 2.0 (the "License");
  4. # you may not use this file except in compliance with the License.
  5. # You may obtain a copy of the License at
  6. #
  7. # http://www.apache.org/licenses/LICENSE-2.0
  8. #
  9. # Unless required by applicable law or agreed to in writing, software
  10. # distributed under the License is distributed on an "AS IS" BASIS,
  11. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
  12. # implied.
  13. # See the License for the specific language governing permissions and
  14. # limitations under the License.
  15. #
  16. # Copyright (C) 2013 Association of Universities for Research in Astronomy
  17. # (AURA)
  18. #
  19. # Redistribution and use in source and binary forms, with or without
  20. # modification, are permitted provided that the following conditions are met:
  21. #
  22. # 1. Redistributions of source code must retain the above copyright
  23. # notice, this list of conditions and the following disclaimer.
  24. #
  25. # 2. Redistributions in binary form must reproduce the above
  26. # copyright notice, this list of conditions and the following
  27. # disclaimer in the documentation and/or other materials provided
  28. # with the distribution.
  29. #
  30. # 3. The name of AURA and its representatives may not be used to
  31. # endorse or promote products derived from this software without
  32. # specific prior written permission.
  33. #
  34. # THIS SOFTWARE IS PROVIDED BY AURA ``AS IS'' AND ANY EXPRESS OR IMPLIED
  35. # WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
  36. # MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
  37. # DISCLAIMED. IN NO EVENT SHALL AURA BE LIABLE FOR ANY DIRECT, INDIRECT,
  38. # INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
  39. # BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS
  40. # OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
  41. # ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR
  42. # TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE
  43. # USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH
  44. # DAMAGE.
  45. """The code in this module is mostly copy/pasted out of the distutils2 source
  46. code, as recommended by Tarek Ziade. As such, it may be subject to some change
  47. as distutils2 development continues, and will have to be kept up to date.
  48. I didn't want to use it directly from distutils2 itself, since I do not want it
  49. to be an installation dependency for our packages yet--it is still too unstable
  50. (the latest version on PyPI doesn't even install).
  51. """
  52. # These first two imports are not used, but are needed to get around an
  53. # irritating Python bug that can crop up when using ./setup.py test.
  54. # See: http://www.eby-sarna.com/pipermail/peak/2010-May/003355.html
  55. try:
  56. import multiprocessing # noqa
  57. except ImportError:
  58. pass
  59. import logging # noqa
  60. from collections import defaultdict
  61. import io
  62. import os
  63. import re
  64. import shlex
  65. import sys
  66. import traceback
  67. import distutils.ccompiler
  68. from distutils import errors
  69. from distutils import log
  70. import pkg_resources
  71. from setuptools import dist as st_dist
  72. from setuptools import extension
  73. try:
  74. import ConfigParser as configparser
  75. except ImportError:
  76. import configparser
  77. from pbr import extra_files
  78. import pbr.hooks
  79. # A simplified RE for this; just checks that the line ends with version
  80. # predicates in ()
  81. _VERSION_SPEC_RE = re.compile(r'\s*(.*?)\s*\((.*)\)\s*$')
  82. # Mappings from setup.cfg options, in (section, option) form, to setup()
  83. # keyword arguments
  84. CFG_TO_PY_SETUP_ARGS = (
  85. (('metadata', 'name'), 'name'),
  86. (('metadata', 'version'), 'version'),
  87. (('metadata', 'author'), 'author'),
  88. (('metadata', 'author_email'), 'author_email'),
  89. (('metadata', 'maintainer'), 'maintainer'),
  90. (('metadata', 'maintainer_email'), 'maintainer_email'),
  91. (('metadata', 'home_page'), 'url'),
  92. (('metadata', 'project_urls'), 'project_urls'),
  93. (('metadata', 'summary'), 'description'),
  94. (('metadata', 'keywords'), 'keywords'),
  95. (('metadata', 'description'), 'long_description'),
  96. (
  97. ('metadata', 'description_content_type'),
  98. 'long_description_content_type',
  99. ),
  100. (('metadata', 'download_url'), 'download_url'),
  101. (('metadata', 'classifier'), 'classifiers'),
  102. (('metadata', 'platform'), 'platforms'), # **
  103. (('metadata', 'license'), 'license'),
  104. # Use setuptools install_requires, not
  105. # broken distutils requires
  106. (('metadata', 'requires_dist'), 'install_requires'),
  107. (('metadata', 'setup_requires_dist'), 'setup_requires'),
  108. (('metadata', 'python_requires'), 'python_requires'),
  109. (('metadata', 'requires_python'), 'python_requires'),
  110. (('metadata', 'provides_dist'), 'provides'), # **
  111. (('metadata', 'provides_extras'), 'provides_extras'),
  112. (('metadata', 'obsoletes_dist'), 'obsoletes'), # **
  113. (('files', 'packages_root'), 'package_dir'),
  114. (('files', 'packages'), 'packages'),
  115. (('files', 'package_data'), 'package_data'),
  116. (('files', 'namespace_packages'), 'namespace_packages'),
  117. (('files', 'data_files'), 'data_files'),
  118. (('files', 'scripts'), 'scripts'),
  119. (('files', 'modules'), 'py_modules'), # **
  120. (('global', 'commands'), 'cmdclass'),
  121. # Not supported in distutils2, but provided for
  122. # backwards compatibility with setuptools
  123. (('backwards_compat', 'zip_safe'), 'zip_safe'),
  124. (('backwards_compat', 'tests_require'), 'tests_require'),
  125. (('backwards_compat', 'dependency_links'), 'dependency_links'),
  126. (('backwards_compat', 'include_package_data'), 'include_package_data'),
  127. )
  128. # setup() arguments that can have multiple values in setup.cfg
  129. MULTI_FIELDS = ("classifiers",
  130. "platforms",
  131. "install_requires",
  132. "provides",
  133. "obsoletes",
  134. "namespace_packages",
  135. "packages",
  136. "package_data",
  137. "data_files",
  138. "scripts",
  139. "py_modules",
  140. "dependency_links",
  141. "setup_requires",
  142. "tests_require",
  143. "keywords",
  144. "cmdclass",
  145. "provides_extras")
  146. # setup() arguments that can have mapping values in setup.cfg
  147. MAP_FIELDS = ("project_urls",)
  148. # setup() arguments that contain boolean values
  149. BOOL_FIELDS = ("zip_safe", "include_package_data")
  150. CSV_FIELDS = ()
  151. def shlex_split(path):
  152. if os.name == 'nt':
  153. # shlex cannot handle paths that contain backslashes, treating those
  154. # as escape characters.
  155. path = path.replace("\\", "/")
  156. return [x.replace("/", "\\") for x in shlex.split(path)]
  157. return shlex.split(path)
  158. def resolve_name(name):
  159. """Resolve a name like ``module.object`` to an object and return it.
  160. Raise ImportError if the module or name is not found.
  161. """
  162. parts = name.split('.')
  163. cursor = len(parts) - 1
  164. module_name = parts[:cursor]
  165. attr_name = parts[-1]
  166. while cursor > 0:
  167. try:
  168. ret = __import__('.'.join(module_name), fromlist=[attr_name])
  169. break
  170. except ImportError:
  171. if cursor == 0:
  172. raise
  173. cursor -= 1
  174. module_name = parts[:cursor]
  175. attr_name = parts[cursor]
  176. ret = ''
  177. for part in parts[cursor:]:
  178. try:
  179. ret = getattr(ret, part)
  180. except AttributeError:
  181. raise ImportError(name)
  182. return ret
  183. def cfg_to_args(path='setup.cfg', script_args=()):
  184. """Distutils2 to distutils1 compatibility util.
  185. This method uses an existing setup.cfg to generate a dictionary of
  186. keywords that can be used by distutils.core.setup(kwargs**).
  187. :param path:
  188. The setup.cfg path.
  189. :param script_args:
  190. List of commands setup.py was called with.
  191. :raises DistutilsFileError:
  192. When the setup.cfg file is not found.
  193. """
  194. # The method source code really starts here.
  195. if sys.version_info >= (3, 0):
  196. parser = configparser.ConfigParser()
  197. else:
  198. parser = configparser.SafeConfigParser()
  199. if not os.path.exists(path):
  200. raise errors.DistutilsFileError("file '%s' does not exist" %
  201. os.path.abspath(path))
  202. try:
  203. parser.read(path, encoding='utf-8')
  204. except TypeError:
  205. # Python 2 doesn't accept the encoding kwarg
  206. parser.read(path)
  207. config = {}
  208. for section in parser.sections():
  209. config[section] = dict()
  210. for k, value in parser.items(section):
  211. config[section][k.replace('-', '_')] = value
  212. # Run setup_hooks, if configured
  213. setup_hooks = has_get_option(config, 'global', 'setup_hooks')
  214. package_dir = has_get_option(config, 'files', 'packages_root')
  215. # Add the source package directory to sys.path in case it contains
  216. # additional hooks, and to make sure it's on the path before any existing
  217. # installations of the package
  218. if package_dir:
  219. package_dir = os.path.abspath(package_dir)
  220. sys.path.insert(0, package_dir)
  221. try:
  222. if setup_hooks:
  223. setup_hooks = [
  224. hook for hook in split_multiline(setup_hooks)
  225. if hook != 'pbr.hooks.setup_hook']
  226. for hook in setup_hooks:
  227. hook_fn = resolve_name(hook)
  228. try:
  229. hook_fn(config)
  230. except SystemExit:
  231. log.error('setup hook %s terminated the installation')
  232. except Exception:
  233. e = sys.exc_info()[1]
  234. log.error('setup hook %s raised exception: %s\n' %
  235. (hook, e))
  236. log.error(traceback.format_exc())
  237. sys.exit(1)
  238. # Run the pbr hook
  239. pbr.hooks.setup_hook(config)
  240. kwargs = setup_cfg_to_setup_kwargs(config, script_args)
  241. # Set default config overrides
  242. kwargs['include_package_data'] = True
  243. kwargs['zip_safe'] = False
  244. register_custom_compilers(config)
  245. ext_modules = get_extension_modules(config)
  246. if ext_modules:
  247. kwargs['ext_modules'] = ext_modules
  248. entry_points = get_entry_points(config)
  249. if entry_points:
  250. kwargs['entry_points'] = entry_points
  251. # Handle the [files]/extra_files option
  252. files_extra_files = has_get_option(config, 'files', 'extra_files')
  253. if files_extra_files:
  254. extra_files.set_extra_files(split_multiline(files_extra_files))
  255. finally:
  256. # Perform cleanup if any paths were added to sys.path
  257. if package_dir:
  258. sys.path.pop(0)
  259. return kwargs
  260. def setup_cfg_to_setup_kwargs(config, script_args=()):
  261. """Convert config options to kwargs.
  262. Processes the setup.cfg options and converts them to arguments accepted
  263. by setuptools' setup() function.
  264. """
  265. kwargs = {}
  266. # Temporarily holds install_requires and extra_requires while we
  267. # parse env_markers.
  268. all_requirements = {}
  269. for alias, arg in CFG_TO_PY_SETUP_ARGS:
  270. section, option = alias
  271. in_cfg_value = has_get_option(config, section, option)
  272. if not in_cfg_value and arg == "long_description":
  273. in_cfg_value = has_get_option(config, section, "description_file")
  274. if in_cfg_value:
  275. in_cfg_value = split_multiline(in_cfg_value)
  276. value = ''
  277. for filename in in_cfg_value:
  278. description_file = io.open(filename, encoding='utf-8')
  279. try:
  280. value += description_file.read().strip() + '\n\n'
  281. finally:
  282. description_file.close()
  283. in_cfg_value = value
  284. if not in_cfg_value:
  285. continue
  286. if arg in CSV_FIELDS:
  287. in_cfg_value = split_csv(in_cfg_value)
  288. if arg in MULTI_FIELDS:
  289. in_cfg_value = split_multiline(in_cfg_value)
  290. elif arg in MAP_FIELDS:
  291. in_cfg_map = {}
  292. for i in split_multiline(in_cfg_value):
  293. k, v = i.split('=', 1)
  294. in_cfg_map[k.strip()] = v.strip()
  295. in_cfg_value = in_cfg_map
  296. elif arg in BOOL_FIELDS:
  297. # Provide some flexibility here...
  298. if in_cfg_value.lower() in ('true', 't', '1', 'yes', 'y'):
  299. in_cfg_value = True
  300. else:
  301. in_cfg_value = False
  302. if in_cfg_value:
  303. if arg in ('install_requires', 'tests_require'):
  304. # Replaces PEP345-style version specs with the sort expected by
  305. # setuptools
  306. in_cfg_value = [_VERSION_SPEC_RE.sub(r'\1\2', pred)
  307. for pred in in_cfg_value]
  308. if arg == 'install_requires':
  309. # Split install_requires into package,env_marker tuples
  310. # These will be re-assembled later
  311. install_requires = []
  312. requirement_pattern = (
  313. r'(?P<package>[^;]*);?(?P<env_marker>[^#]*?)(?:\s*#.*)?$')
  314. for requirement in in_cfg_value:
  315. m = re.match(requirement_pattern, requirement)
  316. requirement_package = m.group('package').strip()
  317. env_marker = m.group('env_marker').strip()
  318. install_requires.append((requirement_package, env_marker))
  319. all_requirements[''] = install_requires
  320. elif arg == 'package_dir':
  321. in_cfg_value = {'': in_cfg_value}
  322. elif arg in ('package_data', 'data_files'):
  323. data_files = {}
  324. firstline = True
  325. prev = None
  326. for line in in_cfg_value:
  327. if '=' in line:
  328. key, value = line.split('=', 1)
  329. key_unquoted = shlex_split(key.strip())[0]
  330. key, value = (key_unquoted, value.strip())
  331. if key in data_files:
  332. # Multiple duplicates of the same package name;
  333. # this is for backwards compatibility of the old
  334. # format prior to d2to1 0.2.6.
  335. prev = data_files[key]
  336. prev.extend(shlex_split(value))
  337. else:
  338. prev = data_files[key.strip()] = shlex_split(value)
  339. elif firstline:
  340. raise errors.DistutilsOptionError(
  341. 'malformed package_data first line %r (misses '
  342. '"=")' % line)
  343. else:
  344. prev.extend(shlex_split(line.strip()))
  345. firstline = False
  346. if arg == 'data_files':
  347. # the data_files value is a pointlessly different structure
  348. # from the package_data value
  349. data_files = sorted(data_files.items())
  350. in_cfg_value = data_files
  351. elif arg == 'cmdclass':
  352. cmdclass = {}
  353. dist = st_dist.Distribution()
  354. for cls_name in in_cfg_value:
  355. cls = resolve_name(cls_name)
  356. cmd = cls(dist)
  357. cmdclass[cmd.get_command_name()] = cls
  358. in_cfg_value = cmdclass
  359. kwargs[arg] = in_cfg_value
  360. # Transform requirements with embedded environment markers to
  361. # setuptools' supported marker-per-requirement format.
  362. #
  363. # install_requires are treated as a special case of extras, before
  364. # being put back in the expected place
  365. #
  366. # fred =
  367. # foo:marker
  368. # bar
  369. # -> {'fred': ['bar'], 'fred:marker':['foo']}
  370. if 'extras' in config:
  371. requirement_pattern = (
  372. r'(?P<package>[^:]*):?(?P<env_marker>[^#]*?)(?:\s*#.*)?$')
  373. extras = config['extras']
  374. # Add contents of test-requirements, if any, into an extra named
  375. # 'test' if one does not already exist.
  376. if 'test' not in extras:
  377. from pbr import packaging
  378. extras['test'] = "\n".join(packaging.parse_requirements(
  379. packaging.TEST_REQUIREMENTS_FILES)).replace(';', ':')
  380. for extra in extras:
  381. extra_requirements = []
  382. requirements = split_multiline(extras[extra])
  383. for requirement in requirements:
  384. m = re.match(requirement_pattern, requirement)
  385. extras_value = m.group('package').strip()
  386. env_marker = m.group('env_marker')
  387. extra_requirements.append((extras_value, env_marker))
  388. all_requirements[extra] = extra_requirements
  389. # Transform the full list of requirements into:
  390. # - install_requires, for those that have no extra and no
  391. # env_marker
  392. # - named extras, for those with an extra name (which may include
  393. # an env_marker)
  394. # - and as a special case, install_requires with an env_marker are
  395. # treated as named extras where the name is the empty string
  396. extras_require = {}
  397. for req_group in all_requirements:
  398. for requirement, env_marker in all_requirements[req_group]:
  399. if env_marker:
  400. extras_key = '%s:(%s)' % (req_group, env_marker)
  401. # We do not want to poison wheel creation with locally
  402. # evaluated markers. sdists always re-create the egg_info
  403. # and as such do not need guarded, and pip will never call
  404. # multiple setup.py commands at once.
  405. if 'bdist_wheel' not in script_args:
  406. try:
  407. if pkg_resources.evaluate_marker('(%s)' % env_marker):
  408. extras_key = req_group
  409. except SyntaxError:
  410. log.error(
  411. "Marker evaluation failed, see the following "
  412. "error. For more information see: "
  413. "http://docs.openstack.org/"
  414. "pbr/latest/user/using.html#environment-markers"
  415. )
  416. raise
  417. else:
  418. extras_key = req_group
  419. extras_require.setdefault(extras_key, []).append(requirement)
  420. kwargs['install_requires'] = extras_require.pop('', [])
  421. kwargs['extras_require'] = extras_require
  422. return kwargs
  423. def register_custom_compilers(config):
  424. """Handle custom compilers.
  425. This has no real equivalent in distutils, where additional compilers could
  426. only be added programmatically, so we have to hack it in somehow.
  427. """
  428. compilers = has_get_option(config, 'global', 'compilers')
  429. if compilers:
  430. compilers = split_multiline(compilers)
  431. for compiler in compilers:
  432. compiler = resolve_name(compiler)
  433. # In distutils2 compilers these class attributes exist; for
  434. # distutils1 we just have to make something up
  435. if hasattr(compiler, 'name'):
  436. name = compiler.name
  437. else:
  438. name = compiler.__name__
  439. if hasattr(compiler, 'description'):
  440. desc = compiler.description
  441. else:
  442. desc = 'custom compiler %s' % name
  443. module_name = compiler.__module__
  444. # Note; this *will* override built in compilers with the same name
  445. # TODO(embray): Maybe display a warning about this?
  446. cc = distutils.ccompiler.compiler_class
  447. cc[name] = (module_name, compiler.__name__, desc)
  448. # HACK!!!! Distutils assumes all compiler modules are in the
  449. # distutils package
  450. sys.modules['distutils.' + module_name] = sys.modules[module_name]
  451. def get_extension_modules(config):
  452. """Handle extension modules"""
  453. EXTENSION_FIELDS = ("sources",
  454. "include_dirs",
  455. "define_macros",
  456. "undef_macros",
  457. "library_dirs",
  458. "libraries",
  459. "runtime_library_dirs",
  460. "extra_objects",
  461. "extra_compile_args",
  462. "extra_link_args",
  463. "export_symbols",
  464. "swig_opts",
  465. "depends")
  466. ext_modules = []
  467. for section in config:
  468. if ':' in section:
  469. labels = section.split(':', 1)
  470. else:
  471. # Backwards compatibility for old syntax; don't use this though
  472. labels = section.split('=', 1)
  473. labels = [label.strip() for label in labels]
  474. if (len(labels) == 2) and (labels[0] == 'extension'):
  475. ext_args = {}
  476. for field in EXTENSION_FIELDS:
  477. value = has_get_option(config, section, field)
  478. # All extension module options besides name can have multiple
  479. # values
  480. if not value:
  481. continue
  482. value = split_multiline(value)
  483. if field == 'define_macros':
  484. macros = []
  485. for macro in value:
  486. macro = macro.split('=', 1)
  487. if len(macro) == 1:
  488. macro = (macro[0].strip(), None)
  489. else:
  490. macro = (macro[0].strip(), macro[1].strip())
  491. macros.append(macro)
  492. value = macros
  493. ext_args[field] = value
  494. if ext_args:
  495. if 'name' not in ext_args:
  496. ext_args['name'] = labels[1]
  497. ext_modules.append(extension.Extension(ext_args.pop('name'),
  498. **ext_args))
  499. return ext_modules
  500. def get_entry_points(config):
  501. """Process the [entry_points] section of setup.cfg.
  502. Processes setup.cfg to handle setuptools entry points. This is, of course,
  503. not a standard feature of distutils2/packaging, but as there is not
  504. currently a standard alternative in packaging, we provide support for them.
  505. """
  506. if 'entry_points' not in config:
  507. return {}
  508. return dict((option, split_multiline(value))
  509. for option, value in config['entry_points'].items())
  510. def has_get_option(config, section, option):
  511. if section in config and option in config[section]:
  512. return config[section][option]
  513. else:
  514. return False
  515. def split_multiline(value):
  516. """Special behaviour when we have a multi line options"""
  517. value = [element for element in
  518. (line.strip() for line in value.split('\n'))
  519. if element and not element.startswith('#')]
  520. return value
  521. def split_csv(value):
  522. """Special behaviour when we have a comma separated options"""
  523. value = [element for element in
  524. (chunk.strip() for chunk in value.split(','))
  525. if element]
  526. return value
  527. # The following classes are used to hack Distribution.command_options a bit
  528. class DefaultGetDict(defaultdict):
  529. """Like defaultdict, but get() also sets and returns the default value."""
  530. def get(self, key, default=None):
  531. if default is None:
  532. default = self.default_factory()
  533. return super(DefaultGetDict, self).setdefault(key, default)