test_dist.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448
  1. # -*- coding: utf8 -*-
  2. """Tests for distutils.dist."""
  3. import os
  4. import StringIO
  5. import sys
  6. import unittest
  7. import warnings
  8. import textwrap
  9. from distutils.dist import Distribution, fix_help_options
  10. from distutils.cmd import Command
  11. import distutils.dist
  12. from test.test_support import TESTFN, captured_stdout, run_unittest, unlink
  13. from distutils.tests import support
  14. from distutils import log
  15. class test_dist(Command):
  16. """Sample distutils extension command."""
  17. user_options = [
  18. ("sample-option=", "S", "help text"),
  19. ]
  20. def initialize_options(self):
  21. self.sample_option = None
  22. class TestDistribution(Distribution):
  23. """Distribution subclasses that avoids the default search for
  24. configuration files.
  25. The ._config_files attribute must be set before
  26. .parse_config_files() is called.
  27. """
  28. def find_config_files(self):
  29. return self._config_files
  30. class DistributionTestCase(support.TempdirManager,
  31. support.LoggingSilencer,
  32. support.EnvironGuard,
  33. unittest.TestCase):
  34. def setUp(self):
  35. super(DistributionTestCase, self).setUp()
  36. self.argv = sys.argv, sys.argv[:]
  37. del sys.argv[1:]
  38. def tearDown(self):
  39. sys.argv = self.argv[0]
  40. sys.argv[:] = self.argv[1]
  41. super(DistributionTestCase, self).tearDown()
  42. def create_distribution(self, configfiles=()):
  43. d = TestDistribution()
  44. d._config_files = configfiles
  45. d.parse_config_files()
  46. d.parse_command_line()
  47. return d
  48. def test_debug_mode(self):
  49. with open(TESTFN, "w") as f:
  50. f.write("[global]\n")
  51. f.write("command_packages = foo.bar, splat")
  52. self.addCleanup(unlink, TESTFN)
  53. files = [TESTFN]
  54. sys.argv.append("build")
  55. with captured_stdout() as stdout:
  56. self.create_distribution(files)
  57. stdout.seek(0)
  58. self.assertEqual(stdout.read(), '')
  59. distutils.dist.DEBUG = True
  60. try:
  61. with captured_stdout() as stdout:
  62. self.create_distribution(files)
  63. stdout.seek(0)
  64. self.assertEqual(stdout.read(), '')
  65. finally:
  66. distutils.dist.DEBUG = False
  67. def test_command_packages_unspecified(self):
  68. sys.argv.append("build")
  69. d = self.create_distribution()
  70. self.assertEqual(d.get_command_packages(), ["distutils.command"])
  71. def test_command_packages_cmdline(self):
  72. from distutils.tests.test_dist import test_dist
  73. sys.argv.extend(["--command-packages",
  74. "foo.bar,distutils.tests",
  75. "test_dist",
  76. "-Ssometext",
  77. ])
  78. d = self.create_distribution()
  79. # let's actually try to load our test command:
  80. self.assertEqual(d.get_command_packages(),
  81. ["distutils.command", "foo.bar", "distutils.tests"])
  82. cmd = d.get_command_obj("test_dist")
  83. self.assertIsInstance(cmd, test_dist)
  84. self.assertEqual(cmd.sample_option, "sometext")
  85. def test_command_packages_configfile(self):
  86. sys.argv.append("build")
  87. self.addCleanup(os.unlink, TESTFN)
  88. f = open(TESTFN, "w")
  89. try:
  90. print >> f, "[global]"
  91. print >> f, "command_packages = foo.bar, splat"
  92. finally:
  93. f.close()
  94. d = self.create_distribution([TESTFN])
  95. self.assertEqual(d.get_command_packages(),
  96. ["distutils.command", "foo.bar", "splat"])
  97. # ensure command line overrides config:
  98. sys.argv[1:] = ["--command-packages", "spork", "build"]
  99. d = self.create_distribution([TESTFN])
  100. self.assertEqual(d.get_command_packages(),
  101. ["distutils.command", "spork"])
  102. # Setting --command-packages to '' should cause the default to
  103. # be used even if a config file specified something else:
  104. sys.argv[1:] = ["--command-packages", "", "build"]
  105. d = self.create_distribution([TESTFN])
  106. self.assertEqual(d.get_command_packages(), ["distutils.command"])
  107. def test_write_pkg_file(self):
  108. # Check DistributionMetadata handling of Unicode fields
  109. tmp_dir = self.mkdtemp()
  110. my_file = os.path.join(tmp_dir, 'f')
  111. klass = Distribution
  112. dist = klass(attrs={'author': u'Mister Café',
  113. 'name': 'my.package',
  114. 'maintainer': u'Café Junior',
  115. 'description': u'Café torréfié',
  116. 'long_description': u'Héhéhé'})
  117. # let's make sure the file can be written
  118. # with Unicode fields. they are encoded with
  119. # PKG_INFO_ENCODING
  120. dist.metadata.write_pkg_file(open(my_file, 'w'))
  121. # regular ascii is of course always usable
  122. dist = klass(attrs={'author': 'Mister Cafe',
  123. 'name': 'my.package',
  124. 'maintainer': 'Cafe Junior',
  125. 'description': 'Cafe torrefie',
  126. 'long_description': 'Hehehe'})
  127. my_file2 = os.path.join(tmp_dir, 'f2')
  128. dist.metadata.write_pkg_file(open(my_file2, 'w'))
  129. def test_empty_options(self):
  130. # an empty options dictionary should not stay in the
  131. # list of attributes
  132. # catching warnings
  133. warns = []
  134. def _warn(msg):
  135. warns.append(msg)
  136. self.addCleanup(setattr, warnings, 'warn', warnings.warn)
  137. warnings.warn = _warn
  138. dist = Distribution(attrs={'author': 'xxx', 'name': 'xxx',
  139. 'version': 'xxx', 'url': 'xxxx',
  140. 'options': {}})
  141. self.assertEqual(len(warns), 0)
  142. self.assertNotIn('options', dir(dist))
  143. def test_finalize_options(self):
  144. attrs = {'keywords': 'one,two',
  145. 'platforms': 'one,two'}
  146. dist = Distribution(attrs=attrs)
  147. dist.finalize_options()
  148. # finalize_option splits platforms and keywords
  149. self.assertEqual(dist.metadata.platforms, ['one', 'two'])
  150. self.assertEqual(dist.metadata.keywords, ['one', 'two'])
  151. def test_get_command_packages(self):
  152. dist = Distribution()
  153. self.assertEqual(dist.command_packages, None)
  154. cmds = dist.get_command_packages()
  155. self.assertEqual(cmds, ['distutils.command'])
  156. self.assertEqual(dist.command_packages,
  157. ['distutils.command'])
  158. dist.command_packages = 'one,two'
  159. cmds = dist.get_command_packages()
  160. self.assertEqual(cmds, ['distutils.command', 'one', 'two'])
  161. def test_announce(self):
  162. # make sure the level is known
  163. dist = Distribution()
  164. args = ('ok',)
  165. kwargs = {'level': 'ok2'}
  166. self.assertRaises(ValueError, dist.announce, args, kwargs)
  167. def test_find_config_files_disable(self):
  168. # Ticket #1180: Allow user to disable their home config file.
  169. temp_home = self.mkdtemp()
  170. if os.name == 'posix':
  171. user_filename = os.path.join(temp_home, ".pydistutils.cfg")
  172. else:
  173. user_filename = os.path.join(temp_home, "pydistutils.cfg")
  174. with open(user_filename, 'w') as f:
  175. f.write('[distutils]\n')
  176. def _expander(path):
  177. return temp_home
  178. old_expander = os.path.expanduser
  179. os.path.expanduser = _expander
  180. try:
  181. d = distutils.dist.Distribution()
  182. all_files = d.find_config_files()
  183. d = distutils.dist.Distribution(attrs={'script_args':
  184. ['--no-user-cfg']})
  185. files = d.find_config_files()
  186. finally:
  187. os.path.expanduser = old_expander
  188. # make sure --no-user-cfg disables the user cfg file
  189. self.assertEqual(len(all_files)-1, len(files))
  190. class MetadataTestCase(support.TempdirManager, support.EnvironGuard,
  191. unittest.TestCase):
  192. def setUp(self):
  193. super(MetadataTestCase, self).setUp()
  194. self.argv = sys.argv, sys.argv[:]
  195. def tearDown(self):
  196. sys.argv = self.argv[0]
  197. sys.argv[:] = self.argv[1]
  198. super(MetadataTestCase, self).tearDown()
  199. def test_classifier(self):
  200. attrs = {'name': 'Boa', 'version': '3.0',
  201. 'classifiers': ['Programming Language :: Python :: 3']}
  202. dist = Distribution(attrs)
  203. meta = self.format_metadata(dist)
  204. self.assertIn('Metadata-Version: 1.1', meta)
  205. def test_download_url(self):
  206. attrs = {'name': 'Boa', 'version': '3.0',
  207. 'download_url': 'http://example.org/boa'}
  208. dist = Distribution(attrs)
  209. meta = self.format_metadata(dist)
  210. self.assertIn('Metadata-Version: 1.1', meta)
  211. def test_long_description(self):
  212. long_desc = textwrap.dedent("""\
  213. example::
  214. We start here
  215. and continue here
  216. and end here.""")
  217. attrs = {"name": "package",
  218. "version": "1.0",
  219. "long_description": long_desc}
  220. dist = Distribution(attrs)
  221. meta = self.format_metadata(dist)
  222. meta = meta.replace('\n' + 8 * ' ', '\n')
  223. self.assertIn(long_desc, meta)
  224. def test_simple_metadata(self):
  225. attrs = {"name": "package",
  226. "version": "1.0"}
  227. dist = Distribution(attrs)
  228. meta = self.format_metadata(dist)
  229. self.assertIn("Metadata-Version: 1.0", meta)
  230. self.assertNotIn("provides:", meta.lower())
  231. self.assertNotIn("requires:", meta.lower())
  232. self.assertNotIn("obsoletes:", meta.lower())
  233. def test_provides(self):
  234. attrs = {"name": "package",
  235. "version": "1.0",
  236. "provides": ["package", "package.sub"]}
  237. dist = Distribution(attrs)
  238. self.assertEqual(dist.metadata.get_provides(),
  239. ["package", "package.sub"])
  240. self.assertEqual(dist.get_provides(),
  241. ["package", "package.sub"])
  242. meta = self.format_metadata(dist)
  243. self.assertIn("Metadata-Version: 1.1", meta)
  244. self.assertNotIn("requires:", meta.lower())
  245. self.assertNotIn("obsoletes:", meta.lower())
  246. def test_provides_illegal(self):
  247. self.assertRaises(ValueError, Distribution,
  248. {"name": "package",
  249. "version": "1.0",
  250. "provides": ["my.pkg (splat)"]})
  251. def test_requires(self):
  252. attrs = {"name": "package",
  253. "version": "1.0",
  254. "requires": ["other", "another (==1.0)"]}
  255. dist = Distribution(attrs)
  256. self.assertEqual(dist.metadata.get_requires(),
  257. ["other", "another (==1.0)"])
  258. self.assertEqual(dist.get_requires(),
  259. ["other", "another (==1.0)"])
  260. meta = self.format_metadata(dist)
  261. self.assertIn("Metadata-Version: 1.1", meta)
  262. self.assertNotIn("provides:", meta.lower())
  263. self.assertIn("Requires: other", meta)
  264. self.assertIn("Requires: another (==1.0)", meta)
  265. self.assertNotIn("obsoletes:", meta.lower())
  266. def test_requires_illegal(self):
  267. self.assertRaises(ValueError, Distribution,
  268. {"name": "package",
  269. "version": "1.0",
  270. "requires": ["my.pkg (splat)"]})
  271. def test_obsoletes(self):
  272. attrs = {"name": "package",
  273. "version": "1.0",
  274. "obsoletes": ["other", "another (<1.0)"]}
  275. dist = Distribution(attrs)
  276. self.assertEqual(dist.metadata.get_obsoletes(),
  277. ["other", "another (<1.0)"])
  278. self.assertEqual(dist.get_obsoletes(),
  279. ["other", "another (<1.0)"])
  280. meta = self.format_metadata(dist)
  281. self.assertIn("Metadata-Version: 1.1", meta)
  282. self.assertNotIn("provides:", meta.lower())
  283. self.assertNotIn("requires:", meta.lower())
  284. self.assertIn("Obsoletes: other", meta)
  285. self.assertIn("Obsoletes: another (<1.0)", meta)
  286. def test_obsoletes_illegal(self):
  287. self.assertRaises(ValueError, Distribution,
  288. {"name": "package",
  289. "version": "1.0",
  290. "obsoletes": ["my.pkg (splat)"]})
  291. def format_metadata(self, dist):
  292. sio = StringIO.StringIO()
  293. dist.metadata.write_pkg_file(sio)
  294. return sio.getvalue()
  295. def test_custom_pydistutils(self):
  296. # fixes #2166
  297. # make sure pydistutils.cfg is found
  298. if os.name == 'posix':
  299. user_filename = ".pydistutils.cfg"
  300. else:
  301. user_filename = "pydistutils.cfg"
  302. temp_dir = self.mkdtemp()
  303. user_filename = os.path.join(temp_dir, user_filename)
  304. f = open(user_filename, 'w')
  305. try:
  306. f.write('.')
  307. finally:
  308. f.close()
  309. try:
  310. dist = Distribution()
  311. # linux-style
  312. if sys.platform in ('linux', 'darwin'):
  313. os.environ['HOME'] = temp_dir
  314. files = dist.find_config_files()
  315. self.assertIn(user_filename, files)
  316. # win32-style
  317. if sys.platform == 'win32':
  318. # home drive should be found
  319. os.environ['HOME'] = temp_dir
  320. files = dist.find_config_files()
  321. self.assertIn(user_filename, files,
  322. '%r not found in %r' % (user_filename, files))
  323. finally:
  324. os.remove(user_filename)
  325. def test_fix_help_options(self):
  326. help_tuples = [('a', 'b', 'c', 'd'), (1, 2, 3, 4)]
  327. fancy_options = fix_help_options(help_tuples)
  328. self.assertEqual(fancy_options[0], ('a', 'b', 'c'))
  329. self.assertEqual(fancy_options[1], (1, 2, 3))
  330. def test_show_help(self):
  331. # smoke test, just makes sure some help is displayed
  332. self.addCleanup(log.set_threshold, log._global_log.threshold)
  333. dist = Distribution()
  334. sys.argv = []
  335. dist.help = 1
  336. dist.script_name = 'setup.py'
  337. with captured_stdout() as s:
  338. dist.parse_command_line()
  339. output = [line for line in s.getvalue().split('\n')
  340. if line.strip() != '']
  341. self.assertTrue(output)
  342. def test_read_metadata(self):
  343. attrs = {"name": "package",
  344. "version": "1.0",
  345. "long_description": "desc",
  346. "description": "xxx",
  347. "download_url": "http://example.com",
  348. "keywords": ['one', 'two'],
  349. "requires": ['foo']}
  350. dist = Distribution(attrs)
  351. metadata = dist.metadata
  352. # write it then reloads it
  353. PKG_INFO = StringIO.StringIO()
  354. metadata.write_pkg_file(PKG_INFO)
  355. PKG_INFO.seek(0)
  356. metadata.read_pkg_file(PKG_INFO)
  357. self.assertEqual(metadata.name, "package")
  358. self.assertEqual(metadata.version, "1.0")
  359. self.assertEqual(metadata.description, "xxx")
  360. self.assertEqual(metadata.download_url, 'http://example.com')
  361. self.assertEqual(metadata.keywords, ['one', 'two'])
  362. self.assertEqual(metadata.platforms, ['UNKNOWN'])
  363. self.assertEqual(metadata.obsoletes, None)
  364. self.assertEqual(metadata.requires, ['foo'])
  365. def test_suite():
  366. suite = unittest.TestSuite()
  367. suite.addTest(unittest.makeSuite(DistributionTestCase))
  368. suite.addTest(unittest.makeSuite(MetadataTestCase))
  369. return suite
  370. if __name__ == "__main__":
  371. run_unittest(test_suite())