blob: b162f9949ff6971ccefffeb64200ba08abf6c30d [file] [log] [blame]
Eric Snow658af312014-04-19 00:13:23 -06001from test.support import run_unittest, unload, check_warnings, CleanImport
Christian Heimesdae2a892008-04-19 00:55:37 +00002import unittest
3import sys
Nick Coghlanc4e0d982013-04-14 22:30:42 +10004import importlib
Eric Snow37148b22014-01-04 15:09:53 -07005from importlib.util import spec_from_file_location
Christian Heimesdae2a892008-04-19 00:55:37 +00006import pkgutil
7import os
8import os.path
9import tempfile
10import shutil
11import zipfile
12
Nick Coghlan8ecf5042012-07-15 21:19:18 +100013# Note: pkgutil.walk_packages is currently tested in test_runpy. This is
14# a hack to get a major issue resolved for 3.3b2. Longer term, it should
15# be moved back here, perhaps by factoring out the helper code for
16# creating interesting package layouts to a separate module.
17# Issue #15348 declares this is indeed a dodgy hack ;)
Christian Heimesdae2a892008-04-19 00:55:37 +000018
19class PkgutilTests(unittest.TestCase):
20
21 def setUp(self):
22 self.dirname = tempfile.mkdtemp()
Ned Deily7010a072011-10-07 12:01:40 -070023 self.addCleanup(shutil.rmtree, self.dirname)
Christian Heimesdae2a892008-04-19 00:55:37 +000024 sys.path.insert(0, self.dirname)
25
26 def tearDown(self):
27 del sys.path[0]
Christian Heimesdae2a892008-04-19 00:55:37 +000028
29 def test_getdata_filesys(self):
30 pkg = 'test_getdata_filesys'
31
32 # Include a LF and a CRLF, to test that binary data is read back
33 RESOURCE_DATA = b'Hello, world!\nSecond line\r\nThird line'
34
35 # Make a package with some resources
36 package_dir = os.path.join(self.dirname, pkg)
37 os.mkdir(package_dir)
38 # Empty init.py
39 f = open(os.path.join(package_dir, '__init__.py'), "wb")
40 f.close()
41 # Resource files, res.txt, sub/res.txt
42 f = open(os.path.join(package_dir, 'res.txt'), "wb")
43 f.write(RESOURCE_DATA)
44 f.close()
45 os.mkdir(os.path.join(package_dir, 'sub'))
46 f = open(os.path.join(package_dir, 'sub', 'res.txt'), "wb")
47 f.write(RESOURCE_DATA)
48 f.close()
49
50 # Check we can read the resources
51 res1 = pkgutil.get_data(pkg, 'res.txt')
52 self.assertEqual(res1, RESOURCE_DATA)
53 res2 = pkgutil.get_data(pkg, 'sub/res.txt')
54 self.assertEqual(res2, RESOURCE_DATA)
55
56 del sys.modules[pkg]
57
58 def test_getdata_zipfile(self):
59 zip = 'test_getdata_zipfile.zip'
60 pkg = 'test_getdata_zipfile'
61
62 # Include a LF and a CRLF, to test that binary data is read back
63 RESOURCE_DATA = b'Hello, world!\nSecond line\r\nThird line'
64
65 # Make a package with some resources
66 zip_file = os.path.join(self.dirname, zip)
67 z = zipfile.ZipFile(zip_file, 'w')
68
69 # Empty init.py
70 z.writestr(pkg + '/__init__.py', "")
71 # Resource files, res.txt, sub/res.txt
72 z.writestr(pkg + '/res.txt', RESOURCE_DATA)
73 z.writestr(pkg + '/sub/res.txt', RESOURCE_DATA)
74 z.close()
75
76 # Check we can read the resources
77 sys.path.insert(0, zip_file)
78 res1 = pkgutil.get_data(pkg, 'res.txt')
79 self.assertEqual(res1, RESOURCE_DATA)
80 res2 = pkgutil.get_data(pkg, 'sub/res.txt')
81 self.assertEqual(res2, RESOURCE_DATA)
Alexandre Vassalotti515a74f2009-07-05 06:42:44 +000082
83 names = []
Eric Snowd5f92232016-09-07 18:37:17 -070084 for moduleinfo in pkgutil.iter_modules([zip_file]):
85 self.assertIsInstance(moduleinfo, pkgutil.ModuleInfo)
86 names.append(moduleinfo.name)
Alexandre Vassalotti515a74f2009-07-05 06:42:44 +000087 self.assertEqual(names, ['test_getdata_zipfile'])
88
Christian Heimesdae2a892008-04-19 00:55:37 +000089 del sys.path[0]
90
91 del sys.modules[pkg]
92
Ned Deilycaf5a222011-10-06 14:19:06 -070093 def test_unreadable_dir_on_syspath(self):
94 # issue7367 - walk_packages failed if unreadable dir on sys.path
95 package_name = "unreadable_package"
96 d = os.path.join(self.dirname, package_name)
97 # this does not appear to create an unreadable dir on Windows
98 # but the test should not fail anyway
99 os.mkdir(d, 0)
Ned Deily7010a072011-10-07 12:01:40 -0700100 self.addCleanup(os.rmdir, d)
Ned Deilycaf5a222011-10-06 14:19:06 -0700101 for t in pkgutil.walk_packages(path=[self.dirname]):
102 self.fail("unexpected package found")
Ned Deilycaf5a222011-10-06 14:19:06 -0700103
Łukasz Langa0d18c152016-06-11 18:02:46 -0700104 def test_walkpackages_filesys(self):
105 pkg1 = 'test_walkpackages_filesys'
106 pkg1_dir = os.path.join(self.dirname, pkg1)
107 os.mkdir(pkg1_dir)
108 f = open(os.path.join(pkg1_dir, '__init__.py'), "wb")
109 f.close()
110 os.mkdir(os.path.join(pkg1_dir, 'sub'))
111 f = open(os.path.join(pkg1_dir, 'sub', '__init__.py'), "wb")
112 f.close()
113 f = open(os.path.join(pkg1_dir, 'sub', 'mod.py'), "wb")
114 f.close()
115
116 # Now, to juice it up, let's add the opposite packages, too.
117 pkg2 = 'sub'
118 pkg2_dir = os.path.join(self.dirname, pkg2)
119 os.mkdir(pkg2_dir)
120 f = open(os.path.join(pkg2_dir, '__init__.py'), "wb")
121 f.close()
122 os.mkdir(os.path.join(pkg2_dir, 'test_walkpackages_filesys'))
123 f = open(os.path.join(pkg2_dir, 'test_walkpackages_filesys', '__init__.py'), "wb")
124 f.close()
125 f = open(os.path.join(pkg2_dir, 'test_walkpackages_filesys', 'mod.py'), "wb")
126 f.close()
127
128 expected = [
129 'sub',
130 'sub.test_walkpackages_filesys',
131 'sub.test_walkpackages_filesys.mod',
132 'test_walkpackages_filesys',
133 'test_walkpackages_filesys.sub',
134 'test_walkpackages_filesys.sub.mod',
135 ]
136 actual= [e[1] for e in pkgutil.walk_packages([self.dirname])]
137 self.assertEqual(actual, expected)
138
139 for pkg in expected:
140 if pkg.endswith('mod'):
141 continue
142 del sys.modules[pkg]
143
144 def test_walkpackages_zipfile(self):
145 """Tests the same as test_walkpackages_filesys, only with a zip file."""
146
147 zip = 'test_walkpackages_zipfile.zip'
148 pkg1 = 'test_walkpackages_zipfile'
149 pkg2 = 'sub'
150
151 zip_file = os.path.join(self.dirname, zip)
152 z = zipfile.ZipFile(zip_file, 'w')
153 z.writestr(pkg2 + '/__init__.py', "")
154 z.writestr(pkg2 + '/' + pkg1 + '/__init__.py', "")
155 z.writestr(pkg2 + '/' + pkg1 + '/mod.py', "")
156 z.writestr(pkg1 + '/__init__.py', "")
157 z.writestr(pkg1 + '/' + pkg2 + '/__init__.py', "")
158 z.writestr(pkg1 + '/' + pkg2 + '/mod.py', "")
159 z.close()
160
161 sys.path.insert(0, zip_file)
162 expected = [
163 'sub',
164 'sub.test_walkpackages_zipfile',
165 'sub.test_walkpackages_zipfile.mod',
166 'test_walkpackages_zipfile',
167 'test_walkpackages_zipfile.sub',
168 'test_walkpackages_zipfile.sub.mod',
169 ]
170 actual= [e[1] for e in pkgutil.walk_packages([zip_file])]
171 self.assertEqual(actual, expected)
172 del sys.path[0]
173
174 for pkg in expected:
175 if pkg.endswith('mod'):
176 continue
177 del sys.modules[pkg]
178
Sanyam Khuranab9c3da52017-06-13 22:41:14 +0530179 def test_walk_packages_raises_on_string_or_bytes_input(self):
180
181 str_input = 'test_dir'
182 with self.assertRaises((TypeError, ValueError)):
183 list(pkgutil.walk_packages(str_input))
184
185 bytes_input = b'test_dir'
186 with self.assertRaises((TypeError, ValueError)):
187 list(pkgutil.walk_packages(bytes_input))
Łukasz Langa0d18c152016-06-11 18:02:46 -0700188
Vinay Sajip1ed61612020-02-14 22:02:13 +0000189 def test_name_resolution(self):
190 import logging
191 import logging.handlers
192
193 success_cases = (
194 ('os', os),
195 ('os.path', os.path),
196 ('os.path:pathsep', os.path.pathsep),
197 ('logging', logging),
198 ('logging:', logging),
199 ('logging.handlers', logging.handlers),
200 ('logging.handlers:', logging.handlers),
201 ('logging.handlers:SysLogHandler', logging.handlers.SysLogHandler),
202 ('logging.handlers.SysLogHandler', logging.handlers.SysLogHandler),
203 ('logging.handlers:SysLogHandler.LOG_ALERT',
204 logging.handlers.SysLogHandler.LOG_ALERT),
205 ('logging.handlers.SysLogHandler.LOG_ALERT',
206 logging.handlers.SysLogHandler.LOG_ALERT),
207 ('builtins.int', int),
208 ('builtins:int', int),
209 ('builtins.int.from_bytes', int.from_bytes),
210 ('builtins:int.from_bytes', int.from_bytes),
211 ('builtins.ZeroDivisionError', ZeroDivisionError),
212 ('builtins:ZeroDivisionError', ZeroDivisionError),
213 ('os:path', os.path),
214 )
215
216 failure_cases = (
217 (None, TypeError),
218 (1, TypeError),
219 (2.0, TypeError),
220 (True, TypeError),
221 ('', ValueError),
222 ('?abc', ValueError),
223 ('abc/foo', ValueError),
224 ('foo', ImportError),
225 ('os.foo', AttributeError),
226 ('os.foo:', ImportError),
227 ('os.pth:pathsep', ImportError),
228 ('logging.handlers:NoSuchHandler', AttributeError),
229 ('logging.handlers:SysLogHandler.NO_SUCH_VALUE', AttributeError),
230 ('logging.handlers.SysLogHandler.NO_SUCH_VALUE', AttributeError),
231 ('ZeroDivisionError', ImportError),
Vinay Sajip4f17c5c2020-02-28 14:26:27 +0000232 ('os.path.9abc', ValueError),
233 ('9abc', ValueError),
Vinay Sajip1ed61612020-02-14 22:02:13 +0000234 )
235
Vinay Sajip4f17c5c2020-02-28 14:26:27 +0000236 # add some Unicode package names to the mix.
237
238 unicode_words = ('\u0935\u092e\u0938',
239 '\xe9', '\xc8',
240 '\uc548\ub155\ud558\uc138\uc694',
241 '\u3055\u3088\u306a\u3089',
242 '\u3042\u308a\u304c\u3068\u3046',
243 '\u0425\u043e\u0440\u043e\u0448\u043e',
244 '\u0441\u043f\u0430\u0441\u0438\u0431\u043e',
245 '\u73b0\u4ee3\u6c49\u8bed\u5e38\u7528\u5b57\u8868')
246
247 for uw in unicode_words:
248 d = os.path.join(self.dirname, uw)
Michael Felte0acec12020-03-03 11:11:11 +0100249 try:
250 os.makedirs(d, exist_ok=True)
251 except UnicodeEncodeError:
252 # When filesystem encoding cannot encode uw: skip this test
253 continue
Vinay Sajip4f17c5c2020-02-28 14:26:27 +0000254 # make an empty __init__.py file
255 f = os.path.join(d, '__init__.py')
256 with open(f, 'w') as f:
257 f.write('')
258 f.flush()
259 # now import the package we just created; clearing the caches is
260 # needed, otherwise the newly created package isn't found
261 importlib.invalidate_caches()
262 mod = importlib.import_module(uw)
263 success_cases += (uw, mod),
264 if len(uw) > 1:
265 failure_cases += (uw[:-1], ImportError),
266
267 # add an example with a Unicode digit at the start
268 failure_cases += ('\u0966\u0935\u092e\u0938', ValueError),
269
Vinay Sajip1ed61612020-02-14 22:02:13 +0000270 for s, expected in success_cases:
271 with self.subTest(s=s):
272 o = pkgutil.resolve_name(s)
273 self.assertEqual(o, expected)
274
275 for s, exc in failure_cases:
276 with self.subTest(s=s):
277 with self.assertRaises(exc):
278 pkgutil.resolve_name(s)
279
Łukasz Langa0d18c152016-06-11 18:02:46 -0700280
Christian Heimesdae2a892008-04-19 00:55:37 +0000281class PkgutilPEP302Tests(unittest.TestCase):
282
283 class MyTestLoader(object):
Brett Cannon02d84542015-01-09 11:39:21 -0500284 def create_module(self, spec):
285 return None
286
Eric Snow37148b22014-01-04 15:09:53 -0700287 def exec_module(self, mod):
Christian Heimesdae2a892008-04-19 00:55:37 +0000288 # Count how many times the module is reloaded
Eric Snow37148b22014-01-04 15:09:53 -0700289 mod.__dict__['loads'] = mod.__dict__.get('loads', 0) + 1
Christian Heimesdae2a892008-04-19 00:55:37 +0000290
291 def get_data(self, path):
292 return "Hello, world!"
293
294 class MyTestImporter(object):
Eric Snow37148b22014-01-04 15:09:53 -0700295 def find_spec(self, fullname, path=None, target=None):
296 loader = PkgutilPEP302Tests.MyTestLoader()
297 return spec_from_file_location(fullname,
298 '<%s>' % loader.__class__.__name__,
299 loader=loader,
300 submodule_search_locations=[])
Christian Heimesdae2a892008-04-19 00:55:37 +0000301
302 def setUp(self):
303 sys.meta_path.insert(0, self.MyTestImporter())
304
305 def tearDown(self):
306 del sys.meta_path[0]
307
308 def test_getdata_pep302(self):
Brett Cannonfdcdd9e2016-07-08 11:00:00 -0700309 # Use a dummy finder/loader
Christian Heimesdae2a892008-04-19 00:55:37 +0000310 self.assertEqual(pkgutil.get_data('foo', 'dummy'), "Hello, world!")
311 del sys.modules['foo']
312
313 def test_alreadyloaded(self):
314 # Ensure that get_data works without reloading - the "loads" module
315 # variable in the example loader should count how many times a reload
316 # occurs.
317 import foo
318 self.assertEqual(foo.loads, 1)
319 self.assertEqual(pkgutil.get_data('foo', 'dummy'), "Hello, world!")
320 self.assertEqual(foo.loads, 1)
321 del sys.modules['foo']
322
Eric V. Smitha790c9b2012-05-15 20:44:06 -0400323
Eric V. Smith984b11f2012-05-24 20:21:04 -0400324# These tests, especially the setup and cleanup, are hideous. They
325# need to be cleaned up once issue 14715 is addressed.
Eric V. Smitha790c9b2012-05-15 20:44:06 -0400326class ExtendPathTests(unittest.TestCase):
327 def create_init(self, pkgname):
328 dirname = tempfile.mkdtemp()
Eric V. Smitha790c9b2012-05-15 20:44:06 -0400329 sys.path.insert(0, dirname)
330
331 pkgdir = os.path.join(dirname, pkgname)
332 os.mkdir(pkgdir)
333 with open(os.path.join(pkgdir, '__init__.py'), 'w') as fl:
334 fl.write('from pkgutil import extend_path\n__path__ = extend_path(__path__, __name__)\n')
335
336 return dirname
337
338 def create_submodule(self, dirname, pkgname, submodule_name, value):
339 module_name = os.path.join(dirname, pkgname, submodule_name + '.py')
340 with open(module_name, 'w') as fl:
341 print('value={}'.format(value), file=fl)
342
Eric V. Smitha790c9b2012-05-15 20:44:06 -0400343 def test_simple(self):
Eric V. Smith984b11f2012-05-24 20:21:04 -0400344 pkgname = 'foo'
345 dirname_0 = self.create_init(pkgname)
346 dirname_1 = self.create_init(pkgname)
347 self.create_submodule(dirname_0, pkgname, 'bar', 0)
348 self.create_submodule(dirname_1, pkgname, 'baz', 1)
Eric V. Smitha790c9b2012-05-15 20:44:06 -0400349 import foo.bar
350 import foo.baz
351 # Ensure we read the expected values
352 self.assertEqual(foo.bar.value, 0)
353 self.assertEqual(foo.baz.value, 1)
354
355 # Ensure the path is set up correctly
356 self.assertEqual(sorted(foo.__path__),
Eric V. Smith984b11f2012-05-24 20:21:04 -0400357 sorted([os.path.join(dirname_0, pkgname),
358 os.path.join(dirname_1, pkgname)]))
359
360 # Cleanup
361 shutil.rmtree(dirname_0)
362 shutil.rmtree(dirname_1)
363 del sys.path[0]
364 del sys.path[0]
365 del sys.modules['foo']
366 del sys.modules['foo.bar']
367 del sys.modules['foo.baz']
368
Nick Coghlanc4e0d982013-04-14 22:30:42 +1000369
370 # Another awful testing hack to be cleaned up once the test_runpy
371 # helpers are factored out to a common location
372 def test_iter_importers(self):
373 iter_importers = pkgutil.iter_importers
374 get_importer = pkgutil.get_importer
375
376 pkgname = 'spam'
377 modname = 'eggs'
378 dirname = self.create_init(pkgname)
379 pathitem = os.path.join(dirname, pkgname)
380 fullname = '{}.{}'.format(pkgname, modname)
Eric Snow2ba66eb2013-11-22 13:55:23 -0700381 sys.modules.pop(fullname, None)
382 sys.modules.pop(pkgname, None)
Nick Coghlanc4e0d982013-04-14 22:30:42 +1000383 try:
384 self.create_submodule(dirname, pkgname, modname, 0)
385
386 importlib.import_module(fullname)
387
388 importers = list(iter_importers(fullname))
389 expected_importer = get_importer(pathitem)
390 for finder in importers:
Eric Snow37148b22014-01-04 15:09:53 -0700391 spec = pkgutil._get_spec(finder, fullname)
392 loader = spec.loader
Eric Snowb523f842013-11-22 09:05:39 -0700393 try:
394 loader = loader.loader
395 except AttributeError:
396 # For now we still allow raw loaders from
397 # find_module().
398 pass
Nick Coghlanc4e0d982013-04-14 22:30:42 +1000399 self.assertIsInstance(finder, importlib.machinery.FileFinder)
400 self.assertEqual(finder, expected_importer)
Eric Snowb523f842013-11-22 09:05:39 -0700401 self.assertIsInstance(loader,
Nick Coghlanc4e0d982013-04-14 22:30:42 +1000402 importlib.machinery.SourceFileLoader)
Eric Snow37148b22014-01-04 15:09:53 -0700403 self.assertIsNone(pkgutil._get_spec(finder, pkgname))
Nick Coghlanc4e0d982013-04-14 22:30:42 +1000404
405 with self.assertRaises(ImportError):
406 list(iter_importers('invalid.module'))
407
408 with self.assertRaises(ImportError):
409 list(iter_importers('.spam'))
410 finally:
411 shutil.rmtree(dirname)
412 del sys.path[0]
Eric Snowb523f842013-11-22 09:05:39 -0700413 try:
414 del sys.modules['spam']
415 del sys.modules['spam.eggs']
416 except KeyError:
417 pass
Nick Coghlanc4e0d982013-04-14 22:30:42 +1000418
419
Eric V. Smith984b11f2012-05-24 20:21:04 -0400420 def test_mixed_namespace(self):
421 pkgname = 'foo'
422 dirname_0 = self.create_init(pkgname)
423 dirname_1 = self.create_init(pkgname)
424 self.create_submodule(dirname_0, pkgname, 'bar', 0)
425 # Turn this into a PEP 420 namespace package
426 os.unlink(os.path.join(dirname_0, pkgname, '__init__.py'))
427 self.create_submodule(dirname_1, pkgname, 'baz', 1)
428 import foo.bar
429 import foo.baz
430 # Ensure we read the expected values
431 self.assertEqual(foo.bar.value, 0)
432 self.assertEqual(foo.baz.value, 1)
433
434 # Ensure the path is set up correctly
435 self.assertEqual(sorted(foo.__path__),
436 sorted([os.path.join(dirname_0, pkgname),
437 os.path.join(dirname_1, pkgname)]))
438
439 # Cleanup
440 shutil.rmtree(dirname_0)
441 shutil.rmtree(dirname_1)
442 del sys.path[0]
443 del sys.path[0]
444 del sys.modules['foo']
445 del sys.modules['foo.bar']
446 del sys.modules['foo.baz']
Eric V. Smitha790c9b2012-05-15 20:44:06 -0400447
448 # XXX: test .pkg files
449
450
Antoine Pitroub2dd8802012-07-09 21:23:58 +0200451class NestedNamespacePackageTest(unittest.TestCase):
452
453 def setUp(self):
454 self.basedir = tempfile.mkdtemp()
455 self.old_path = sys.path[:]
456
457 def tearDown(self):
458 sys.path[:] = self.old_path
459 shutil.rmtree(self.basedir)
460
461 def create_module(self, name, contents):
462 base, final = name.rsplit('.', 1)
463 base_path = os.path.join(self.basedir, base.replace('.', os.path.sep))
464 os.makedirs(base_path, exist_ok=True)
465 with open(os.path.join(base_path, final + ".py"), 'w') as f:
466 f.write(contents)
467
468 def test_nested(self):
469 pkgutil_boilerplate = (
470 'import pkgutil; '
471 '__path__ = pkgutil.extend_path(__path__, __name__)')
472 self.create_module('a.pkg.__init__', pkgutil_boilerplate)
473 self.create_module('b.pkg.__init__', pkgutil_boilerplate)
474 self.create_module('a.pkg.subpkg.__init__', pkgutil_boilerplate)
475 self.create_module('b.pkg.subpkg.__init__', pkgutil_boilerplate)
476 self.create_module('a.pkg.subpkg.c', 'c = 1')
477 self.create_module('b.pkg.subpkg.d', 'd = 2')
478 sys.path.insert(0, os.path.join(self.basedir, 'a'))
479 sys.path.insert(0, os.path.join(self.basedir, 'b'))
480 import pkg
481 self.addCleanup(unload, 'pkg')
482 self.assertEqual(len(pkg.__path__), 2)
483 import pkg.subpkg
484 self.addCleanup(unload, 'pkg.subpkg')
485 self.assertEqual(len(pkg.subpkg.__path__), 2)
486 from pkg.subpkg.c import c
487 from pkg.subpkg.d import d
488 self.assertEqual(c, 1)
489 self.assertEqual(d, 2)
490
491
Nick Coghlan85e729e2012-07-15 18:09:52 +1000492class ImportlibMigrationTests(unittest.TestCase):
493 # With full PEP 302 support in the standard import machinery, the
494 # PEP 302 emulation in this module is in the process of being
495 # deprecated in favour of importlib proper
496
497 def check_deprecated(self):
498 return check_warnings(
499 ("This emulation is deprecated, use 'importlib' instead",
500 DeprecationWarning))
501
502 def test_importer_deprecated(self):
503 with self.check_deprecated():
Łukasz Langa0d18c152016-06-11 18:02:46 -0700504 pkgutil.ImpImporter("")
Nick Coghlan85e729e2012-07-15 18:09:52 +1000505
506 def test_loader_deprecated(self):
507 with self.check_deprecated():
Łukasz Langa0d18c152016-06-11 18:02:46 -0700508 pkgutil.ImpLoader("", "", "", "")
Nick Coghlan85e729e2012-07-15 18:09:52 +1000509
510 def test_get_loader_avoids_emulation(self):
511 with check_warnings() as w:
512 self.assertIsNotNone(pkgutil.get_loader("sys"))
513 self.assertIsNotNone(pkgutil.get_loader("os"))
514 self.assertIsNotNone(pkgutil.get_loader("test.support"))
515 self.assertEqual(len(w.warnings), 0)
516
Brett Cannon4a2360d2016-08-12 10:53:53 -0700517 @unittest.skipIf(__name__ == '__main__', 'not compatible with __main__')
Nick Coghlandc855b72014-03-04 20:39:42 +1000518 def test_get_loader_handles_missing_loader_attribute(self):
519 global __loader__
520 this_loader = __loader__
521 del __loader__
522 try:
523 with check_warnings() as w:
524 self.assertIsNotNone(pkgutil.get_loader(__name__))
525 self.assertEqual(len(w.warnings), 0)
526 finally:
527 __loader__ = this_loader
528
Eric Snow658af312014-04-19 00:13:23 -0600529 def test_get_loader_handles_missing_spec_attribute(self):
530 name = 'spam'
531 mod = type(sys)(name)
532 del mod.__spec__
533 with CleanImport(name):
534 sys.modules[name] = mod
535 loader = pkgutil.get_loader(name)
536 self.assertIsNone(loader)
537
538 def test_get_loader_handles_spec_attribute_none(self):
539 name = 'spam'
540 mod = type(sys)(name)
541 mod.__spec__ = None
542 with CleanImport(name):
543 sys.modules[name] = mod
544 loader = pkgutil.get_loader(name)
545 self.assertIsNone(loader)
Nick Coghlandc855b72014-03-04 20:39:42 +1000546
Brett Cannon8447c702014-05-23 12:30:37 -0400547 def test_get_loader_None_in_sys_modules(self):
548 name = 'totally bogus'
549 sys.modules[name] = None
550 try:
551 loader = pkgutil.get_loader(name)
552 finally:
553 del sys.modules[name]
554 self.assertIsNone(loader)
555
556 def test_find_loader_missing_module(self):
557 name = 'totally bogus'
558 loader = pkgutil.find_loader(name)
559 self.assertIsNone(loader)
560
Nick Coghlandc855b72014-03-04 20:39:42 +1000561 def test_find_loader_avoids_emulation(self):
562 with check_warnings() as w:
563 self.assertIsNotNone(pkgutil.find_loader("sys"))
564 self.assertIsNotNone(pkgutil.find_loader("os"))
565 self.assertIsNotNone(pkgutil.find_loader("test.support"))
566 self.assertEqual(len(w.warnings), 0)
567
Nick Coghlan85e729e2012-07-15 18:09:52 +1000568 def test_get_importer_avoids_emulation(self):
Nick Coghlan94554922012-07-17 21:37:58 +1000569 # We use an illegal path so *none* of the path hooks should fire
Nick Coghlan85e729e2012-07-15 18:09:52 +1000570 with check_warnings() as w:
Nick Coghlan94554922012-07-17 21:37:58 +1000571 self.assertIsNone(pkgutil.get_importer("*??"))
Nick Coghlan85e729e2012-07-15 18:09:52 +1000572 self.assertEqual(len(w.warnings), 0)
573
574 def test_iter_importers_avoids_emulation(self):
575 with check_warnings() as w:
576 for importer in pkgutil.iter_importers(): pass
577 self.assertEqual(len(w.warnings), 0)
578
579
Christian Heimesdae2a892008-04-19 00:55:37 +0000580def test_main():
Antoine Pitroub2dd8802012-07-09 21:23:58 +0200581 run_unittest(PkgutilTests, PkgutilPEP302Tests, ExtendPathTests,
Nick Coghlan85e729e2012-07-15 18:09:52 +1000582 NestedNamespacePackageTest, ImportlibMigrationTests)
Benjamin Petersoncf626032014-02-16 14:52:01 -0500583 # this is necessary if test is run repeated (like when finding leaks)
584 import zipimport
585 import importlib
586 zipimport._zip_directory_cache.clear()
587 importlib.invalidate_caches()
Nick Coghlan85e729e2012-07-15 18:09:52 +1000588
Christian Heimesdae2a892008-04-19 00:55:37 +0000589
590if __name__ == '__main__':
591 test_main()