support.py 6.4 KB

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