support.py 6.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221
  1. """Support code for distutils test cases."""
  2. import os
  3. import sys
  4. import shutil
  5. import tempfile
  6. import unittest
  7. import sysconfig
  8. from copy import deepcopy
  9. import warnings
  10. from distutils import log
  11. from distutils.log import DEBUG, INFO, WARN, ERROR, FATAL
  12. from distutils.core import Distribution
  13. def capture_warnings(func):
  14. def _capture_warnings(*args, **kw):
  15. with warnings.catch_warnings():
  16. warnings.simplefilter("ignore")
  17. return func(*args, **kw)
  18. return _capture_warnings
  19. class LoggingSilencer(object):
  20. def setUp(self):
  21. super(LoggingSilencer, self).setUp()
  22. self.threshold = log.set_threshold(log.FATAL)
  23. # catching warnings
  24. # when log will be replaced by logging
  25. # we won't need such monkey-patch anymore
  26. self._old_log = log.Log._log
  27. log.Log._log = self._log
  28. self.logs = []
  29. def tearDown(self):
  30. log.set_threshold(self.threshold)
  31. log.Log._log = self._old_log
  32. super(LoggingSilencer, self).tearDown()
  33. def _log(self, level, msg, args):
  34. if level not in (DEBUG, INFO, WARN, ERROR, FATAL):
  35. raise ValueError('%s wrong log level' % str(level))
  36. self.logs.append((level, msg, args))
  37. def get_logs(self, *levels):
  38. def _format(msg, args):
  39. if len(args) == 0:
  40. return msg
  41. return msg % args
  42. return [_format(msg, args) for level, msg, args
  43. in self.logs if level in levels]
  44. def clear_logs(self):
  45. self.logs = []
  46. class TempdirManager(object):
  47. """Mix-in class that handles temporary directories for test cases.
  48. This is intended to be used with unittest.TestCase.
  49. """
  50. def setUp(self):
  51. super(TempdirManager, self).setUp()
  52. self.old_cwd = os.getcwd()
  53. self.tempdirs = []
  54. def tearDown(self):
  55. # Restore working dir, for Solaris and derivatives, where rmdir()
  56. # on the current directory fails.
  57. os.chdir(self.old_cwd)
  58. super(TempdirManager, self).tearDown()
  59. while self.tempdirs:
  60. d = self.tempdirs.pop()
  61. shutil.rmtree(d, os.name in ('nt', 'cygwin'))
  62. def mkdtemp(self):
  63. """Create a temporary directory that will be cleaned up.
  64. Returns the path of the directory.
  65. """
  66. d = tempfile.mkdtemp()
  67. self.tempdirs.append(d)
  68. return d
  69. def write_file(self, path, content='xxx'):
  70. """Writes a file in the given path.
  71. path can be a string or a sequence.
  72. """
  73. if isinstance(path, (list, tuple)):
  74. path = os.path.join(*path)
  75. f = open(path, 'w')
  76. try:
  77. f.write(content)
  78. finally:
  79. f.close()
  80. def create_dist(self, pkg_name='foo', **kw):
  81. """Will generate a test environment.
  82. This function creates:
  83. - a Distribution instance using keywords
  84. - a temporary directory with a package structure
  85. It returns the package directory and the distribution
  86. instance.
  87. """
  88. tmp_dir = self.mkdtemp()
  89. pkg_dir = os.path.join(tmp_dir, pkg_name)
  90. os.mkdir(pkg_dir)
  91. dist = Distribution(attrs=kw)
  92. return pkg_dir, dist
  93. class DummyCommand:
  94. """Class to store options for retrieval via set_undefined_options()."""
  95. def __init__(self, **kwargs):
  96. for kw, val in kwargs.items():
  97. setattr(self, kw, val)
  98. def ensure_finalized(self):
  99. pass
  100. class EnvironGuard(object):
  101. def setUp(self):
  102. super(EnvironGuard, self).setUp()
  103. self.old_environ = deepcopy(os.environ)
  104. def tearDown(self):
  105. for key, value in self.old_environ.items():
  106. if os.environ.get(key) != value:
  107. os.environ[key] = value
  108. for key in os.environ.keys():
  109. if key not in self.old_environ:
  110. del os.environ[key]
  111. super(EnvironGuard, self).tearDown()
  112. def copy_xxmodule_c(directory):
  113. """Helper for tests that need the xxmodule.c source file.
  114. Example use:
  115. def test_compile(self):
  116. copy_xxmodule_c(self.tmpdir)
  117. self.assertIn('xxmodule.c', os.listdir(self.tmpdir))
  118. If the source file can be found, it will be copied to *directory*. If not,
  119. the test will be skipped. Errors during copy are not caught.
  120. """
  121. filename = _get_xxmodule_path()
  122. if filename is None:
  123. raise unittest.SkipTest('cannot find xxmodule.c (test must run in '
  124. 'the python build dir)')
  125. shutil.copy(filename, directory)
  126. def _get_xxmodule_path():
  127. # FIXME when run from regrtest, srcdir seems to be '.', which does not help
  128. # us find the xxmodule.c file
  129. srcdir = sysconfig.get_config_var('srcdir')
  130. candidates = [
  131. # use installed copy if available
  132. os.path.join(os.path.dirname(__file__), 'xxmodule.c'),
  133. # otherwise try using copy from build directory
  134. os.path.join(srcdir, 'Modules', 'xxmodule.c'),
  135. # srcdir mysteriously can be $srcdir/Lib/distutils/tests when
  136. # this file is run from its parent directory, so walk up the
  137. # tree to find the real srcdir
  138. os.path.join(srcdir, '..', '..', '..', 'Modules', 'xxmodule.c'),
  139. ]
  140. for path in candidates:
  141. if os.path.exists(path):
  142. return path
  143. def fixup_build_ext(cmd):
  144. """Function needed to make build_ext tests pass.
  145. When Python was build with --enable-shared on Unix, -L. is not good
  146. enough to find the libpython<blah>.so. This is because regrtest runs
  147. it under a tempdir, not in the top level where the .so lives. By the
  148. time we've gotten here, Python's already been chdir'd to the tempdir.
  149. When Python was built with in debug mode on Windows, build_ext commands
  150. need their debug attribute set, and it is not done automatically for
  151. some reason.
  152. This function handles both of these things. Example use:
  153. cmd = build_ext(dist)
  154. support.fixup_build_ext(cmd)
  155. cmd.ensure_finalized()
  156. Unlike most other Unix platforms, Mac OS X embeds absolute paths
  157. to shared libraries into executables, so the fixup is not needed there.
  158. """
  159. if os.name == 'nt':
  160. cmd.debug = sys.executable.endswith('_d.exe')
  161. elif sysconfig.get_config_var('Py_ENABLE_SHARED'):
  162. # To further add to the shared builds fun on Unix, we can't just add
  163. # library_dirs to the Extension() instance because that doesn't get
  164. # plumbed through to the final compiler command.
  165. runshared = sysconfig.get_config_var('RUNSHARED')
  166. if runshared is None:
  167. cmd.library_dirs = ['.']
  168. else:
  169. if sys.platform == 'darwin':
  170. cmd.library_dirs = []
  171. else:
  172. name, equals, value = runshared.partition('=')
  173. cmd.library_dirs = [d for d in value.split(os.pathsep) if d]