1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526
|
# Licensed under a 3-clause BSD style license - see LICENSE.rst
"""
This module contains a number of utilities for use during
setup/build/packaging that are useful to astropy as a whole.
"""
from __future__ import absolute_import, print_function
import collections
import errno
import imp
import inspect
import os
import pkgutil
import re
import shlex
import shutil
import subprocess
import sys
import textwrap
from distutils import log, ccompiler, sysconfig
from distutils.cmd import DistutilsOptionError
from distutils.dist import Distribution
from distutils.errors import DistutilsError, DistutilsFileError
from distutils.core import Extension
from distutils.core import Command
from distutils.command.sdist import sdist as DistutilsSdist
from setuptools.command.build_ext import build_ext as SetuptoolsBuildExt
from setuptools.command.build_py import build_py as SetuptoolsBuildPy
from setuptools.command.install import install as SetuptoolsInstall
from setuptools.command.install_lib import install_lib as SetuptoolsInstallLib
from setuptools.command.register import register as SetuptoolsRegister
from setuptools import find_packages
from .test_helpers import AstropyTest
from .utils import silence, invalidate_caches, walk_skip_hidden
_module_state = {
'adjusted_compiler': False,
'registered_commands': None,
'have_cython': False,
'have_sphinx': False
}
try:
import Cython
_module_state['have_cython'] = True
except ImportError:
pass
try:
import sphinx
from sphinx.setup_command import BuildDoc as SphinxBuildDoc
_module_state['have_sphinx'] = True
except ValueError as e:
# This can occur deep in the bowels of Sphinx's imports by way of docutils
# and an occurence of this bug: http://bugs.python.org/issue18378
# In this case sphinx is effectively unusable
if 'unknown locale' in e.args[0]:
log.warn(
"Possible misconfiguration of one of the environment variables "
"LC_ALL, LC_CTYPES, LANG, or LANGUAGE. For an example of how to "
"configure your system's language environment on OSX see "
"http://blog.remibergsma.com/2012/07/10/"
"setting-locales-correctly-on-mac-osx-terminal-application/")
except ImportError:
pass
except SyntaxError:
# occurs if markupsafe is recent version, which doesn't support Python 3.2
pass
PY3 = sys.version_info[0] >= 3
# This adds a new keyword to the setup() function
Distribution.skip_2to3 = []
def adjust_compiler(package):
"""
This function detects broken compilers and switches to another. If
the environment variable CC is explicitly set, or a compiler is
specified on the commandline, no override is performed -- the purpose
here is to only override a default compiler.
The specific compilers with problems are:
* The default compiler in XCode-4.2, llvm-gcc-4.2,
segfaults when compiling wcslib.
The set of broken compilers can be updated by changing the
compiler_mapping variable. It is a list of 2-tuples where the
first in the pair is a regular expression matching the version
of the broken compiler, and the second is the compiler to change
to.
"""
compiler_mapping = [
(b'i686-apple-darwin[0-9]*-llvm-gcc-4.2', 'clang')
]
if _module_state['adjusted_compiler']:
return
# Whatever the result of this function is, it only needs to be run once
_module_state['adjusted_compiler'] = True
if 'CC' in os.environ:
# Check that CC is not set to llvm-gcc-4.2
c_compiler = os.environ['CC']
try:
version = get_compiler_version(c_compiler)
except OSError:
msg = textwrap.dedent(
"""
The C compiler set by the CC environment variable:
{compiler:s}
cannot be found or executed.
""".format(compiler=c_compiler))
log.warn(msg)
sys.exit(1)
for broken, fixed in compiler_mapping:
if re.match(broken, version):
msg = textwrap.dedent(
"""Compiler specified by CC environment variable
({compiler:s}:{version:s}) will fail to compile {pkg:s}.
Please set CC={fixed:s} and try again.
You can do this, for example, by running:
CC={fixed:s} python setup.py <command>
where <command> is the command you ran.
""".format(compiler=c_compiler, version=version,
pkg=package, fixed=fixed))
log.warn(msg)
sys.exit(1)
# If C compiler is set via CC, and isn't broken, we are good to go. We
# should definitely not try accessing the compiler specified by
# ``sysconfig.get_config_var('CC')`` lower down, because this may fail
# if the compiler used to compile Python is missing (and maybe this is
# why the user is setting CC). For example, the official Python 2.7.3
# MacOS X binary was compled with gcc-4.2, which is no longer available
# in XCode 4.
return
if get_distutils_build_option('compiler'):
return
compiler_type = ccompiler.get_default_compiler()
if compiler_type == 'unix':
# We have to get the compiler this way, as this is the one that is
# used if os.environ['CC'] is not set. It is actually read in from
# the Python Makefile. Note that this is not necessarily the same
# compiler as returned by ccompiler.new_compiler()
c_compiler = sysconfig.get_config_var('CC')
try:
version = get_compiler_version(c_compiler)
except OSError:
msg = textwrap.dedent(
"""
The C compiler used to compile Python {compiler:s}, and
which is normally used to compile C extensions, is not
available. You can explicitly specify which compiler to
use by setting the CC environment variable, for example:
CC=gcc python setup.py <command>
or if you are using MacOS X, you can try:
CC=clang python setup.py <command>
""".format(compiler=c_compiler))
log.warn(msg)
sys.exit(1)
for broken, fixed in compiler_mapping:
if re.match(broken, version):
os.environ['CC'] = fixed
break
def get_compiler_version(compiler):
process = subprocess.Popen(
shlex.split(compiler) + ['--version'], stdout=subprocess.PIPE)
output = process.communicate()[0].strip()
try:
version = output.split()[0]
except IndexError:
return 'unknown'
return version
def get_dummy_distribution():
"""Returns a distutils Distribution object used to instrument the setup
environment before calling the actual setup() function.
"""
if _module_state['registered_commands'] is None:
raise RuntimeError(
'astropy_helpers.setup_helpers.register_commands() must be '
'called before using '
'astropy_helpers.setup_helpers.get_dummy_distribution()')
# Pre-parse the Distutils command-line options and config files to if
# the option is set.
dist = Distribution({'script_name': os.path.basename(sys.argv[0]),
'script_args': sys.argv[1:]})
dist.cmdclass.update(_module_state['registered_commands'])
with silence():
try:
dist.parse_config_files()
dist.parse_command_line()
except (DistutilsError, AttributeError, SystemExit):
# Let distutils handle DistutilsErrors itself AttributeErrors can
# get raise for ./setup.py --help SystemExit can be raised if a
# display option was used, for example
pass
return dist
def get_distutils_option(option, commands):
""" Returns the value of the given distutils option.
Parameters
----------
option : str
The name of the option
commands : list of str
The list of commands on which this option is available
Returns
-------
val : str or None
the value of the given distutils option. If the option is not set,
returns None.
"""
dist = get_dummy_distribution()
for cmd in commands:
cmd_opts = dist.command_options.get(cmd)
if cmd_opts is not None and option in cmd_opts:
return cmd_opts[option][1]
else:
return None
def get_distutils_build_option(option):
""" Returns the value of the given distutils build option.
Parameters
----------
option : str
The name of the option
Returns
-------
val : str or None
The value of the given distutils build option. If the option
is not set, returns None.
"""
return get_distutils_option(option, ['build', 'build_ext', 'build_clib'])
def get_distutils_install_option(option):
""" Returns the value of the given distutils install option.
Parameters
----------
option : str
The name of the option
Returns
-------
val : str or None
The value of the given distutils build option. If the option
is not set, returns None.
"""
return get_distutils_option(option, ['install'])
def get_distutils_build_or_install_option(option):
""" Returns the value of the given distutils build or install option.
Parameters
----------
option : str
The name of the option
Returns
-------
val : str or None
The value of the given distutils build or install option. If the
option is not set, returns None.
"""
return get_distutils_option(option, ['build', 'build_ext', 'build_clib',
'install'])
def get_compiler_option():
""" Determines the compiler that will be used to build extension modules.
Returns
-------
compiler : str
The compiler option specificied for the build, build_ext, or build_clib
command; or the default compiler for the platform if none was
specified.
"""
compiler = get_distutils_build_option('compiler')
if compiler is None:
return ccompiler.get_default_compiler()
return compiler
def get_debug_option(packagename):
""" Determines if the build is in debug mode.
Returns
-------
debug : bool
True if the current build was started with the debug option, False
otherwise.
"""
try:
current_debug = get_pkg_version_module(packagename,
fromlist=['debug'])[0]
except (ImportError, AttributeError):
current_debug = None
# Only modify the debug flag if one of the build commands was explicitly
# run (i.e. not as a sub-command of something else)
dist = get_dummy_distribution()
if any(cmd in dist.commands for cmd in ['build', 'build_ext']):
debug = bool(get_distutils_build_option('debug'))
else:
debug = bool(current_debug)
if current_debug is not None and current_debug != debug:
build_ext_cmd = dist.get_command_class('build_ext')
build_ext_cmd.force_rebuild = True
return debug
# TODO: Move this into astropy_helpers.version_helpers once the dependency of
# version_helpers on *this* module has been resolved (IOW, once these modules
# have been refactored to reduce their interdependency)
def get_pkg_version_module(packagename, fromlist=None):
"""Returns the package's .version module generated by
`astropy_helpers.version_helpers.generate_version_py`. Raises an
ImportError if the version module is not found.
If ``fromlist`` is an iterable, return a tuple of the members of the
version module corresponding to the member names given in ``fromlist``.
Raises an `AttributeError` if any of these module members are not found.
"""
if not fromlist:
# Due to a historical quirk of Python's import implementation,
# __import__ will not return submodules of a package if 'fromlist' is
# empty.
# TODO: For Python 3.1 and up it may be preferable to use importlib
# instead of the __import__ builtin
return __import__(packagename + '.version', fromlist=[''])
else:
mod = __import__(packagename + '.version', fromlist=fromlist)
return tuple(getattr(mod, member) for member in fromlist)
def register_commands(package, version, release):
if _module_state['registered_commands'] is not None:
return _module_state['registered_commands']
_module_state['registered_commands'] = registered_commands = {
'test': generate_test_command(package),
# Use distutils' sdist because it respects package_data.
# setuptools/distributes sdist requires duplication of information in
# MANIFEST.in
'sdist': DistutilsSdist,
# The exact form of the build_ext command depends on whether or not
# we're building a release version
'build_ext': generate_build_ext_command(package, release),
# We have a custom build_py to generate the default configuration file
'build_py': AstropyBuildPy,
# Since install can (in some circumstances) be run without
# first building, we also need to override install and
# install_lib. See #2223
'install': AstropyInstall,
'install_lib': AstropyInstallLib,
'register': AstropyRegister
}
if _module_state['have_sphinx']:
registered_commands['build_sphinx'] = AstropyBuildSphinx
else:
registered_commands['build_sphinx'] = FakeBuildSphinx
# Need to override the __name__ here so that the commandline options are
# presented as being related to the "build" command, for example; normally
# this wouldn't be necessary since commands also have a command_name
# attribute, but there is a bug in distutils' help display code that it
# uses __name__ instead of command_name. Yay distutils!
for name, cls in registered_commands.items():
cls.__name__ = name
# Add a few custom options; more of these can be added by specific packages
# later
for option in [
('use-system-libraries',
"Use system libraries whenever possible", True)]:
add_command_option('build', *option)
add_command_option('install', *option)
return registered_commands
def generate_test_command(package_name):
"""
Creates a custom 'test' command for the given package which sets the
command's ``package_name`` class attribute to the name of the package being
tested.
"""
return type(package_name.title() + 'Test', (AstropyTest,),
{'package_name': package_name})
def generate_build_ext_command(packagename, release):
"""
Creates a custom 'build_ext' command that allows for manipulating some of
the C extension options at build time. We use a function to build the
class since the base class for build_ext may be different depending on
certain build-time parameters (for example, we may use Cython's build_ext
instead of the default version in distutils).
Uses the default distutils.command.build_ext by default.
"""
uses_cython = should_build_with_cython(packagename, release)
if uses_cython:
from Cython.Distutils import build_ext as basecls
else:
basecls = SetuptoolsBuildExt
attrs = dict(basecls.__dict__)
orig_run = getattr(basecls, 'run', None)
orig_finalize = getattr(basecls, 'finalize_options', None)
def finalize_options(self):
# Add a copy of the _compiler.so module as well, but only if there are
# in fact C modules to compile (otherwise there's no reason to include
# a record of the compiler used)
if self.extensions:
src_path = os.path.relpath(
os.path.join(os.path.dirname(__file__), 'src'))
shutil.copy2(os.path.join(src_path, 'compiler.c'),
os.path.join(self.package_name, '_compiler.c'))
ext = Extension(self.package_name + '._compiler',
[os.path.join(self.package_name, '_compiler.c')])
self.extensions.insert(0, ext)
if orig_finalize is not None:
orig_finalize(self)
# Generate
if self.uses_cython:
try:
from Cython import __version__ as cython_version
except ImportError:
# This shouldn't happen if we made it this far
cython_version = None
if (cython_version is not None and
cython_version != self.uses_cython):
self.force_rebuild = True
# Update the used cython version
self.uses_cython = cython_version
# Regardless of the value of the '--force' option, force a rebuild if
# the debug flag changed from the last build
if self.force_rebuild:
self.force = True
def run(self):
# For extensions that require 'numpy' in their include dirs, replace
# 'numpy' with the actual paths
np_include = get_numpy_include_path()
for extension in self.extensions:
if 'numpy' in extension.include_dirs:
idx = extension.include_dirs.index('numpy')
extension.include_dirs.insert(idx, np_include)
extension.include_dirs.remove('numpy')
# Replace .pyx with C-equivalents, unless c files are missing
for jdx, src in enumerate(extension.sources):
if src.endswith('.pyx'):
pyxfn = src
cfn = src[:-4] + '.c'
elif src.endswith('.c'):
pyxfn = src[:-2] + '.pyx'
cfn = src
if not os.path.isfile(pyxfn):
continue
if self.uses_cython:
extension.sources[jdx] = pyxfn
else:
if os.path.isfile(cfn):
extension.sources[jdx] = cfn
else:
msg = (
'Could not find C file {0} for Cython file {1} '
'when building extension {2}. Cython must be '
'installed to build from a git checkout.'.format(
cfn, pyxfn, extension.name))
raise IOError(errno.ENOENT, msg, cfn)
if orig_run is not None:
# This should always be the case for a correctly implemented
# distutils command.
orig_run(self)
# Update cython_version.py if building with Cython
try:
cython_version = get_pkg_version_module(
packagename, fromlist=['cython_version'])[0]
except (AttributeError, ImportError):
cython_version = 'unknown'
if self.uses_cython and self.uses_cython != cython_version:
package_dir = os.path.relpath(packagename)
cython_py = os.path.join(package_dir, 'cython_version.py')
with open(cython_py, 'w') as f:
f.write('# Generated file; do not modify\n')
f.write('cython_version = {0!r}\n'.format(self.uses_cython))
if os.path.isdir(self.build_lib):
# The build/lib directory may not exist if the build_py command
# was not previously run, which may sometimes be the case
self.copy_file(cython_py,
os.path.join(self.build_lib, cython_py),
preserve_mode=False)
invalidate_caches()
attrs['run'] = run
attrs['finalize_options'] = finalize_options
attrs['force_rebuild'] = False
attrs['uses_cython'] = uses_cython
attrs['package_name'] = packagename
attrs['user_options'] = basecls.user_options[:]
attrs['boolean_options'] = basecls.boolean_options[:]
return type('build_ext', (basecls, object), attrs)
def _get_platlib_dir(cmd):
plat_specifier = '.{0}-{1}'.format(cmd.plat_name, sys.version[0:3])
return os.path.join(cmd.build_base, 'lib' + plat_specifier)
class AstropyInstall(SetuptoolsInstall):
user_options = SetuptoolsInstall.user_options[:]
boolean_options = SetuptoolsInstall.boolean_options[:]
def finalize_options(self):
build_cmd = self.get_finalized_command('build')
platlib_dir = _get_platlib_dir(build_cmd)
self.build_lib = platlib_dir
SetuptoolsInstall.finalize_options(self)
class AstropyInstallLib(SetuptoolsInstallLib):
user_options = SetuptoolsInstallLib.user_options[:]
boolean_options = SetuptoolsInstallLib.boolean_options[:]
def finalize_options(self):
build_cmd = self.get_finalized_command('build')
platlib_dir = _get_platlib_dir(build_cmd)
self.build_dir = platlib_dir
SetuptoolsInstallLib.finalize_options(self)
class AstropyBuildPy(SetuptoolsBuildPy):
user_options = SetuptoolsBuildPy.user_options[:]
boolean_options = SetuptoolsBuildPy.boolean_options[:]
def finalize_options(self):
# Update build_lib settings from the build command to always put
# build files in platform-specific subdirectories of build/, even
# for projects with only pure-Python source (this is desirable
# specifically for support of multiple Python version).
build_cmd = self.get_finalized_command('build')
platlib_dir = _get_platlib_dir(build_cmd)
build_cmd.build_purelib = platlib_dir
build_cmd.build_lib = platlib_dir
self.build_lib = platlib_dir
SetuptoolsBuildPy.finalize_options(self)
def run_2to3(self, files, doctests=False):
# Filter the files to exclude things that shouldn't be 2to3'd
skip_2to3 = self.distribution.skip_2to3
filtered_files = []
for file in files:
for package in skip_2to3:
if file[len(self.build_lib) + 1:].startswith(package):
break
else:
filtered_files.append(file)
SetuptoolsBuildPy.run_2to3(self, filtered_files, doctests)
def run(self):
# first run the normal build_py
SetuptoolsBuildPy.run(self)
def add_command_option(command, name, doc, is_bool=False):
"""
Add a custom option to a setup command.
Issues a warning if the option already exists on that command.
Parameters
----------
command : str
The name of the command as given on the command line
name : str
The name of the build option
doc : str
A short description of the option, for the `--help` message
is_bool : bool, optional
When `True`, the option is a boolean option and doesn't
require an associated value.
"""
dist = get_dummy_distribution()
cmdcls = dist.get_command_class(command)
if (hasattr(cmdcls, '_astropy_helpers_options') and
name in cmdcls._astropy_helpers_options):
return
attr = name.replace('-', '_')
if hasattr(cmdcls, attr):
raise RuntimeError(
'{0!r} already has a {1!r} class attribute, barring {2!r} from '
'being usable as a custom option name.'.format(cmdcls, attr, name))
for idx, cmd in enumerate(cmdcls.user_options):
if cmd[0] == name:
log.warn('Overriding existing {0!r} option '
'{1!r}'.format(command, name))
del cmdcls.user_options[idx]
if name in cmdcls.boolean_options:
cmdcls.boolean_options.remove(name)
break
cmdcls.user_options.append((name, None, doc))
if is_bool:
cmdcls.boolean_options.append(name)
# Distutils' command parsing requires that a command object have an
# attribute with the same name as the option (with '-' replaced with '_')
# in order for that option to be recognized as valid
setattr(cmdcls, attr, None)
# This caches the options added through add_command_option so that if it is
# run multiple times in the same interpreter repeated adds are ignored
# (this way we can still raise a RuntimeError if a custom option overrides
# a built-in option)
if not hasattr(cmdcls, '_astropy_helpers_options'):
cmdcls._astropy_helpers_options = set([name])
else:
cmdcls._astropy_helpers_options.add(name)
class AstropyRegister(SetuptoolsRegister):
"""Extends the built in 'register' command to support a ``--hidden`` option
to make the registered version hidden on PyPI by default.
The result of this is that when a version is registered as "hidden" it can
still be downloaded from PyPI, but it does not show up in the list of
actively supported versions under http://pypi.python.org/pypi/astropy, and
is not set as the most recent version.
Although this can always be set through the web interface it may be more
convenient to be able to specify via the 'register' command. Hidden may
also be considered a safer default when running the 'register' command,
though this command uses distutils' normal behavior if the ``--hidden``
option is omitted.
"""
user_options = SetuptoolsRegister.user_options + [
('hidden', None, 'mark this release as hidden on PyPI by default')
]
boolean_options = SetuptoolsRegister.boolean_options + ['hidden']
def initialize_options(self):
SetuptoolsRegister.initialize_options(self)
self.hidden = False
def build_post_data(self, action):
data = SetuptoolsRegister.build_post_data(self, action)
if action == 'submit' and self.hidden:
data['_pypi_hidden'] = '1'
return data
def _set_config(self):
# The original register command is buggy--if you use .pypirc with a
# server-login section *at all* the repository you specify with the -r
# option will be overwritten with either the repository in .pypirc or
# with the default,
# If you do not have a .pypirc using the -r option will just crash.
# Way to go distutils
# If we don't set self.repository back to a default value _set_config
# can crash if there was a user-supplied value for this option; don't
# worry, we'll get the real value back afterwards
self.repository = 'pypi'
SetuptoolsRegister._set_config(self)
options = self.distribution.get_option_dict('register')
if 'repository' in options:
source, value = options['repository']
# Really anything that came from setup.cfg or the command line
# should override whatever was in .pypirc
self.repository = value
if _module_state['have_sphinx']:
class AstropyBuildSphinx(SphinxBuildDoc):
""" A version of the ``build_sphinx`` command that uses the
version of Astropy that is built by the setup ``build`` command,
rather than whatever is installed on the system - to build docs
against the installed version, run ``make html`` in the
``astropy/docs`` directory.
This also automatically creates the docs/_static directories -
this is needed because github won't create the _static dir
because it has no tracked files.
"""
description = 'Build Sphinx documentation for Astropy environment'
user_options = SphinxBuildDoc.user_options[:]
user_options.append(('warnings-returncode', 'w',
'Parses the sphinx output and sets the return '
'code to 1 if there are any warnings. Note that '
'this will cause the sphinx log to only update '
'when it completes, rather than continuously as '
'is normally the case.'))
user_options.append(('clean-docs', 'l',
'Completely clean previous builds, including '
'automodapi-generated files before building new '
'ones'))
user_options.append(('no-intersphinx', 'n',
'Skip intersphinx, even if conf.py says to use '
'it'))
user_options.append(('open-docs-in-browser', 'o',
'Open the docs in a browser (using the '
'webbrowser module) if the build finishes '
'successfully.'))
boolean_options = SphinxBuildDoc.boolean_options[:]
boolean_options.append('warnings-returncode')
boolean_options.append('clean-docs')
boolean_options.append('no-intersphinx')
boolean_options.append('open-docs-in-browser')
_self_iden_rex = re.compile(r"self\.([^\d\W][\w]+)", re.UNICODE)
def initialize_options(self):
SphinxBuildDoc.initialize_options(self)
self.clean_docs = False
self.no_intersphinx = False
self.open_docs_in_browser = False
self.warnings_returncode = False
def finalize_options(self):
#Clear out previous sphinx builds, if requested
if self.clean_docs:
dirstorm = [os.path.join(self.source_dir, 'api')]
if self.build_dir is None:
dirstorm.append('docs/_build')
else:
dirstorm.append(self.build_dir)
for d in dirstorm:
if os.path.isdir(d):
log.info('Cleaning directory ' + d)
shutil.rmtree(d)
else:
log.info('Not cleaning directory ' + d + ' because '
'not present or not a directory')
SphinxBuildDoc.finalize_options(self)
def run(self):
# TODO: Break this method up into a few more subroutines and
# document them better
import webbrowser
if PY3:
from urllib.request import pathname2url
else:
from urllib import pathname2url
# This is used at the very end of `run` to decide if sys.exit should
# be called. If it's None, it won't be.
retcode = None
# If possible, create the _static dir
if self.build_dir is not None:
# the _static dir should be in the same place as the _build dir
# for Astropy
basedir, subdir = os.path.split(self.build_dir)
if subdir == '': # the path has a trailing /...
basedir, subdir = os.path.split(basedir)
staticdir = os.path.join(basedir, '_static')
if os.path.isfile(staticdir):
raise DistutilsOptionError(
'Attempted to build_sphinx in a location where' +
staticdir + 'is a file. Must be a directory.')
self.mkpath(staticdir)
#Now make sure Astropy is built and determine where it was built
build_cmd = self.reinitialize_command('build')
build_cmd.inplace = 0
self.run_command('build')
build_cmd = self.get_finalized_command('build')
build_cmd_path = os.path.abspath(build_cmd.build_lib)
ah_importer = pkgutil.get_importer('astropy_helpers')
ah_path = os.path.abspath(ah_importer.path)
#Now generate the source for and spawn a new process that runs the
#command. This is needed to get the correct imports for the built
#version
runlines, runlineno = inspect.getsourcelines(SphinxBuildDoc.run)
subproccode = textwrap.dedent("""
from sphinx.setup_command import *
os.chdir({srcdir!r})
sys.path.insert(0, {build_cmd_path!r})
sys.path.insert(0, {ah_path!r})
""").format(build_cmd_path=build_cmd_path, ah_path=ah_path,
srcdir=self.source_dir)
#runlines[1:] removes 'def run(self)' on the first line
subproccode += textwrap.dedent(''.join(runlines[1:]))
# All "self.foo" in the subprocess code needs to be replaced by the
# values taken from the current self in *this* process
subproccode = AstropyBuildSphinx._self_iden_rex.split(subproccode)
for i in range(1, len(subproccode), 2):
iden = subproccode[i]
val = getattr(self, iden)
if iden.endswith('_dir'):
#Directories should be absolute, because the `chdir` call
#in the new process moves to a different directory
subproccode[i] = repr(os.path.abspath(val))
else:
subproccode[i] = repr(val)
subproccode = ''.join(subproccode)
if self.no_intersphinx:
#the confoverrides variable in sphinx.setup_command.BuildDoc can
#be used to override the conf.py ... but this could well break
#if future versions of sphinx change the internals of BuildDoc,
#so remain vigilant!
subproccode = subproccode.replace('confoverrides = {}',
'confoverrides = {\'intersphinx_mapping\':{}}')
log.debug('Starting subprocess of {0} with python code:\n{1}\n'
'[CODE END])'.format(sys.executable, subproccode))
# To return the number of warnings, we need to capture stdout. This
# prevents a continuous updating at the terminal, but there's no
# apparent way around this.
if self.warnings_returncode:
proc = subprocess.Popen([sys.executable],
stdin=subprocess.PIPE,
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT)
stdo, stde = proc.communicate(subproccode.encode('utf-8'))
print(stdo)
stdolines = stdo.split(b'\n')
if stdolines[-2] == b'build succeeded.':
retcode = 0
else:
retcode = 1
if retcode != 0:
if os.environ.get('TRAVIS', None) == 'true':
#this means we are in the travis build, so customize
#the message appropriately.
msg = ('The build_sphinx travis build FAILED '
'because sphinx issued documentation '
'warnings (scroll up to see the warnings).')
else: # standard failure message
msg = ('build_sphinx returning a non-zero exit '
'code because sphinx issued documentation '
'warnings.')
log.warn(msg)
else:
proc = subprocess.Popen([sys.executable], stdin=subprocess.PIPE)
proc.communicate(subproccode.encode('utf-8'))
if proc.returncode == 0:
if self.open_docs_in_browser:
if self.builder == 'html':
absdir = os.path.abspath(self.builder_target_dir)
index_path = os.path.join(absdir, 'index.html')
fileurl = 'file://' + pathname2url(index_path)
webbrowser.open(fileurl)
else:
log.warn('open-docs-in-browser option was given, but '
'the builder is not html! Ignogring.')
else:
log.warn('Sphinx Documentation subprocess failed with return '
'code ' + str(proc.returncode))
if retcode is not None:
# this is potentially dangerous in that there might be something
# after the call to `setup` in `setup.py`, and exiting here will
# prevent that from running. But there's no other apparent way
# to signal what the return code should be.
sys.exit(retcode)
def get_distutils_display_options():
""" Returns a set of all the distutils display options in their long and
short forms. These are the setup.py arguments such as --name or --version
which print the project's metadata and then exit.
Returns
-------
opts : set
The long and short form display option arguments, including the - or --
"""
short_display_opts = set('-' + o[1] for o in Distribution.display_options
if o[1])
long_display_opts = set('--' + o[0] for o in Distribution.display_options)
# Include -h and --help which are not explicitly listed in
# Distribution.display_options (as they are handled by optparse)
short_display_opts.add('-h')
long_display_opts.add('--help')
# This isn't the greatest approach to hardcode these commands.
# However, there doesn't seem to be a good way to determine
# whether build *will be* run as part of the command at this
# phase.
display_commands = set([
'clean', 'register', 'setopt', 'saveopts', 'egg_info',
'alias'])
return short_display_opts.union(long_display_opts.union(display_commands))
def is_distutils_display_option():
""" Returns True if sys.argv contains any of the distutils display options
such as --version or --name.
"""
display_options = get_distutils_display_options()
return bool(set(sys.argv[1:]).intersection(display_options))
def update_package_files(srcdir, extensions, package_data, packagenames,
package_dirs):
"""
This function is deprecated and maintained for backward compatibility
with affiliated packages. Affiliated packages should update their
setup.py to use `get_package_info` instead.
"""
info = get_package_info(srcdir)
extensions.extend(info['ext_modules'])
package_data.update(info['package_data'])
packagenames = list(set(packagenames + info['packages']))
package_dirs.update(info['package_dir'])
def get_package_info(srcdir='.', exclude=()):
"""
Collates all of the information for building all subpackages
subpackages and returns a dictionary of keyword arguments that can
be passed directly to `distutils.setup`.
The purpose of this function is to allow subpackages to update the
arguments to the package's ``setup()`` function in its setup.py
script, rather than having to specify all extensions/package data
directly in the ``setup.py``. See Astropy's own
``setup.py`` for example usage and the Astropy development docs
for more details.
This function obtains that information by iterating through all
packages in ``srcdir`` and locating a ``setup_package.py`` module.
This module can contain the following functions:
``get_extensions()``, ``get_package_data()``,
``get_build_options()``, ``get_external_libraries()``,
and ``requires_2to3()``.
Each of those functions take no arguments.
- ``get_extensions`` returns a list of
`distutils.extension.Extension` objects.
- ``get_package_data()`` returns a dict formatted as required by
the ``package_data`` argument to ``setup()``.
- ``get_build_options()`` returns a list of tuples describing the
extra build options to add.
- ``get_external_libraries()`` returns
a list of libraries that can optionally be built using external
dependencies.
- ``requires_2to3()`` should return `True` when the source code
requires `2to3` processing to run on Python 3.x. If
``requires_2to3()`` is missing, it is assumed to return `True`.
"""
ext_modules = []
packages = []
package_data = {}
package_dir = {}
skip_2to3 = []
# Use the find_packages tool to locate all packages and modules
packages = filter_packages(find_packages(srcdir, exclude=exclude))
# For each of the setup_package.py modules, extract any
# information that is needed to install them. The build options
# are extracted first, so that their values will be available in
# subsequent calls to `get_extensions`, etc.
for setuppkg in iter_setup_packages(srcdir, packages):
if hasattr(setuppkg, 'get_build_options'):
options = setuppkg.get_build_options()
for option in options:
add_command_option('build', *option)
if hasattr(setuppkg, 'get_external_libraries'):
libraries = setuppkg.get_external_libraries()
for library in libraries:
add_external_library(library)
if hasattr(setuppkg, 'requires_2to3'):
requires_2to3 = setuppkg.requires_2to3()
else:
requires_2to3 = True
if not requires_2to3:
skip_2to3.append(
os.path.dirname(setuppkg.__file__))
for setuppkg in iter_setup_packages(srcdir, packages):
# get_extensions must include any Cython extensions by their .pyx
# filename.
if hasattr(setuppkg, 'get_extensions'):
ext_modules.extend(setuppkg.get_extensions())
if hasattr(setuppkg, 'get_package_data'):
package_data.update(setuppkg.get_package_data())
# Locate any .pyx files not already specified, and add their extensions in.
# The default include dirs include numpy to facilitate numerical work.
ext_modules.extend(get_cython_extensions(srcdir, packages, ext_modules,
['numpy']))
# Now remove extensions that have the special name 'skip_cython', as they
# exist Only to indicate that the cython extensions shouldn't be built
for i, ext in reversed(list(enumerate(ext_modules))):
if ext.name == 'skip_cython':
del ext_modules[i]
# On Microsoft compilers, we need to pass the '/MANIFEST'
# commandline argument. This was the default on MSVC 9.0, but is
# now required on MSVC 10.0, but it doesn't seeem to hurt to add
# it unconditionally.
if get_compiler_option() == 'msvc':
for ext in ext_modules:
ext.extra_link_args.append('/MANIFEST')
return {
'ext_modules': ext_modules,
'packages': packages,
'package_dir': package_dir,
'package_data': package_data,
'skip_2to3': skip_2to3
}
def iter_setup_packages(srcdir, packages):
""" A generator that finds and imports all of the ``setup_package.py``
modules in the source packages.
Returns
-------
modgen : generator
A generator that yields (modname, mod), where `mod` is the module and
`modname` is the module name for the ``setup_package.py`` modules.
"""
for packagename in packages:
package_parts = packagename.split('.')
package_path = os.path.join(srcdir, *package_parts)
setup_package = os.path.relpath(
os.path.join(package_path, 'setup_package.py'))
if os.path.isfile(setup_package):
module = import_file(setup_package)
yield module
def iter_pyx_files(package_dir, package_name):
"""
A generator that yields Cython source files (ending in '.pyx') in the
source packages.
Returns
-------
pyxgen : generator
A generator that yields (extmod, fullfn) where `extmod` is the
full name of the module that the .pyx file would live in based
on the source directory structure, and `fullfn` is the path to
the .pyx file.
"""
for dirpath, dirnames, filenames in walk_skip_hidden(package_dir):
for fn in filenames:
if fn.endswith('.pyx'):
fullfn = os.path.relpath(os.path.join(dirpath, fn))
# Package must match file name
extmod = '.'.join([package_name, fn[:-4]])
yield (extmod, fullfn)
break # Don't recurse into subdirectories
def should_build_with_cython(package, release=None):
"""Returns the previously used Cython version (or 'unknown' if not
previously built) if Cython should be used to build extension modules from
pyx files. If the ``release`` parameter is not specified an attempt is
made to determine the release flag from `astropy.version`.
"""
try:
version_module = __import__(package + '.cython_version',
fromlist=['release', 'cython_version'])
except ImportError:
version_module = None
if release is None and version_module is not None:
try:
release = version_module.release
except AttributeError:
pass
try:
cython_version = version_module.cython_version
except AttributeError:
cython_version = 'unknown'
# Only build with Cython if, of course, Cython is installed, we're in a
# development version (i.e. not release) or the Cython-generated source
# files haven't been created yet (cython_version == 'unknown'). The latter
# case can happen even when release is True if checking out a release tag
# from the repository
if (_module_state['have_cython'] and
(not release or cython_version == 'unknown')):
return cython_version
else:
return False
def get_cython_extensions(srcdir, packages, prevextensions=tuple(),
extincludedirs=None):
"""
Looks for Cython files and generates Extensions if needed.
Parameters
----------
srcdir : str
Path to the root of the source directory to search.
prevextensions : list of `~distutils.core.Extension` objects
The extensions that are already defined. Any .pyx files already here
will be ignored.
extincludedirs : list of str or None
Directories to include as the `include_dirs` argument to the generated
`~distutils.core.Extension` objects.
Returns
-------
exts : list of `~distutils.core.Extension` objects
The new extensions that are needed to compile all .pyx files (does not
include any already in `prevextensions`).
"""
# Vanilla setuptools and old versions of distribute include Cython files
# as .c files in the sources, not .pyx, so we cannot simply look for
# existing .pyx sources in the previous sources, but we should also check
# for .c files with the same remaining filename. So we look for .pyx and
# .c files, and we strip the extension.
prevsourcepaths = []
ext_modules = []
for ext in prevextensions:
for s in ext.sources:
if s.endswith(('.pyx', '.c')):
sourcepath = os.path.realpath(os.path.splitext(s)[0])
prevsourcepaths.append(sourcepath)
for package_name in packages:
package_parts = package_name.split('.')
package_path = os.path.join(srcdir, *package_parts)
for extmod, pyxfn in iter_pyx_files(package_path, package_name):
sourcepath = os.path.realpath(os.path.splitext(pyxfn)[0])
if sourcepath not in prevsourcepaths:
ext_modules.append(Extension(extmod, [pyxfn],
include_dirs=extincludedirs))
return ext_modules
def write_if_different(filename, data):
""" Write `data` to `filename`, if the content of the file is different.
Parameters
----------
filename : str
The file name to be written to.
data : bytes
The data to be written to `filename`.
"""
assert isinstance(data, bytes)
if os.path.exists(filename):
with open(filename, 'rb') as fd:
original_data = fd.read()
else:
original_data = None
if original_data != data:
with open(filename, 'wb') as fd:
fd.write(data)
def get_numpy_include_path():
"""
Gets the path to the numpy headers.
"""
# We need to go through this nonsense in case setuptools
# downloaded and installed Numpy for us as part of the build or
# install, since Numpy may still think it's in "setup mode", when
# in fact we're ready to use it to build astropy now.
if sys.version_info[0] >= 3:
import builtins
if hasattr(builtins, '__NUMPY_SETUP__'):
del builtins.__NUMPY_SETUP__
import imp
import numpy
imp.reload(numpy)
else:
import __builtin__
if hasattr(__builtin__, '__NUMPY_SETUP__'):
del __builtin__.__NUMPY_SETUP__
import numpy
reload(numpy)
try:
numpy_include = numpy.get_include()
except AttributeError:
numpy_include = numpy.get_numpy_include()
return numpy_include
def import_file(filename):
"""
Imports a module from a single file as if it doesn't belong to a
particular package.
"""
# Specifying a traditional dot-separated fully qualified name here
# results in a number of "Parent module 'astropy' not found while
# handling absolute import" warnings. Using the same name, the
# namespaces of the modules get merged together. So, this
# generates an underscore-separated name which is more likely to
# be unique, and it doesn't really matter because the name isn't
# used directly here anyway.
with open(filename, 'U') as fd:
name = '_'.join(
os.path.relpath(os.path.splitext(filename)[0]).split(os.sep)[1:])
return imp.load_module(name, fd, filename, ('.py', 'U', 1))
class DistutilsExtensionArgs(collections.defaultdict):
"""
A special dictionary whose default values are the empty list.
This is useful for building up a set of arguments for
`distutils.Extension` without worrying whether the entry is
already present.
"""
def __init__(self, *args, **kwargs):
def default_factory():
return []
super(DistutilsExtensionArgs, self).__init__(
default_factory, *args, **kwargs)
def update(self, other):
for key, val in other.items():
self[key].extend(val)
def pkg_config(packages, default_libraries, executable='pkg-config'):
"""
Uses pkg-config to update a set of distutils Extension arguments
to include the flags necessary to link against the given packages.
If the pkg-config lookup fails, default_libraries is applied to
libraries.
Parameters
----------
packages : list of str
A list of pkg-config packages to look up.
default_libraries : list of str
A list of library names to use if the pkg-config lookup fails.
Returns
-------
config : dict
A dictionary containing keyword arguments to
`distutils.Extension`. These entries include:
- ``include_dirs``: A list of include directories
- ``library_dirs``: A list of library directories
- ``libraries``: A list of libraries
- ``define_macros``: A list of macro defines
- ``undef_macros``: A list of macros to undefine
- ``extra_compile_args``: A list of extra arguments to pass to
the compiler
"""
flag_map = {'-I': 'include_dirs', '-L': 'library_dirs', '-l': 'libraries',
'-D': 'define_macros', '-U': 'undef_macros'}
command = "{0} --libs --cflags {1}".format(executable, ' '.join(packages)),
result = DistutilsExtensionArgs()
try:
pipe = subprocess.Popen(command, shell=True, stdout=subprocess.PIPE)
output = pipe.communicate()[0].strip()
except subprocess.CalledProcessError as e:
lines = [
"{0} failed. This may cause the build to fail below.".format(executable),
" command: {0}".format(e.cmd),
" returncode: {0}".format(e.returncode),
" output: {0}".format(e.output)
]
log.warn('\n'.join(lines))
result['libraries'].extend(default_libraries)
else:
if pipe.returncode != 0:
lines = [
"pkg-config could not lookup up package(s) {0}.".format(
", ".join(packages)),
"This may cause the build to fail below."
]
log.warn('\n'.join(lines))
result['libraries'].extend(default_libraries)
else:
for token in output.split():
# It's not clear what encoding the output of
# pkg-config will come to us in. It will probably be
# some combination of pure ASCII (for the compiler
# flags) and the filesystem encoding (for any argument
# that includes directories or filenames), but this is
# just conjecture, as the pkg-config documentation
# doesn't seem to address it.
arg = token[:2].decode('ascii')
value = token[2:].decode(sys.getfilesystemencoding())
if arg in flag_map:
if arg == '-D':
value = tuple(value.split('=', 1))
result[flag_map[arg]].append(value)
else:
result['extra_compile_args'].append(value)
return result
def add_external_library(library):
"""
Add a build option for selecting the internal or system copy of a library.
Parameters
----------
library : str
The name of the library. If the library is `foo`, the build
option will be called `--use-system-foo`.
"""
for command in ['build', 'build_ext', 'install']:
add_command_option(command, str('use-system-' + library),
'Use the system {0} library'.format(library),
is_bool=True)
def use_system_library(library):
"""
Returns `True` if the build configuration indicates that the given
library should use the system copy of the library rather than the
internal one.
For the given library `foo`, this will be `True` if
`--use-system-foo` or `--use-system-libraries` was provided at the
commandline or in `setup.cfg`.
Parameters
----------
library : str
The name of the library
Returns
-------
use_system : bool
`True` if the build should use the system copy of the library.
"""
return (
get_distutils_build_or_install_option('use_system_{0}'.format(library))
or get_distutils_build_or_install_option('use_system_libraries'))
def filter_packages(packagenames):
"""
Removes some packages from the package list that shouldn't be
installed on the current version of Python.
"""
if PY3:
exclude = '_py2'
else:
exclude = '_py3'
return [x for x in packagenames if not x.endswith(exclude)]
class FakeBuildSphinx(Command):
"""
A dummy build_sphinx command that is called if Sphinx is not
installed and displays a relevant error message
"""
#user options inherited from sphinx.setup_command.BuildDoc
user_options = [
('fresh-env', 'E', '' ),
('all-files', 'a', ''),
('source-dir=', 's', ''),
('build-dir=', None, ''),
('config-dir=', 'c', ''),
('builder=', 'b', ''),
('project=', None, ''),
('version=', None, ''),
('release=', None, ''),
('today=', None, ''),
('link-index', 'i', ''),
]
#user options appended in astropy.setup_helpers.AstropyBuildSphinx
user_options.append(('warnings-returncode', 'w',''))
user_options.append(('clean-docs', 'l', ''))
user_options.append(('no-intersphinx', 'n', ''))
user_options.append(('open-docs-in-browser', 'o',''))
def initialize_options(self):
try:
raise RuntimeError("Sphinx must be installed for build_sphinx")
except:
log.error('error : Sphinx must be installed for build_sphinx')
sys.exit(1)
|