summaryrefslogtreecommitdiffstats
path: root/Lib/importlib/test/import_/test_path.py
blob: b4ae779af065440e55d05c4aea376118d0079b77 (plain)
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
from importlib import machinery
from .. import util
from . import util as import_util
from contextlib import nested
import imp
import os
import sys
from test import support
from types import MethodType
import unittest


class BaseTests(unittest.TestCase):

    """When sys.meta_path cannot find the desired module, sys.path is
    consulted. For each entry on the sequence [order], sys.path_importer_cache
    is checked to see if it contains a key for the entry [cache check]. If an
    importer is found then it is consulted before trying the next entry in
    sys.path [cache use]. The 'path' argument to find_module() is never used
    when trying to find a module [path not used].

    If an entry from sys.path is not in sys.path_importer_cache, sys.path_hooks
    is called in turn [hooks order]. If a path hook cannot handle an entry,
    ImportError is raised [hook failure]. Otherwise the resulting object is
    cached in sys.path_importer_cache and then consulted [hook success]. If no
    hook is found, None is set in sys.path_importer_cache and the default
    importer is tried [no hook].

    For use of __path__ in a package, the above is all true, just substitute
    "sys.path" for "__path__".

    """

    def order_test(self, to_import, entry, search_path, path=[]):
        # [order]
        log = []
        class LogFindModule(util.mock_modules):
            def find_module(self, fullname):
                log.append(self)
                return super().find_module(fullname)

        assert len(search_path) == 2
        misser = LogFindModule(search_path[0])
        hitter = LogFindModule(to_import)
        with nested(misser, hitter):
            cache = dict(zip(search_path, (misser, hitter)))
            with util.import_state(path=path, path_importer_cache=cache):
                import_util.import_(to_import)
        self.assertEquals(log[0], misser)
        self.assertEquals(log[1], hitter)

    @import_util.importlib_only  # __import__ uses PyDict_GetItem(), bypassing log.
    def cache_use_test(self, to_import, entry, path=[]):
        # [cache check], [cache use]
        log = []
        class LoggingDict(dict):
            def __getitem__(self, item):
                log.append(item)
                return super(LoggingDict, self).__getitem__(item)

        with util.mock_modules(to_import) as importer:
            cache = LoggingDict()
            cache[entry] = importer
            with util.import_state(path=[entry], path_importer_cache=cache):
                module = import_util.import_(to_import, fromlist=['a'])
            self.assert_(module is importer[to_import])
        self.assertEquals(len(cache), 1)
        self.assertEquals([entry], log)

    def hooks_order_test(self, to_import, entry, path=[]):
        # [hooks order], [hooks failure], [hook success]
        log = []
        def logging_hook(entry):
            log.append(entry)
            raise ImportError
        with util.mock_modules(to_import) as importer:
            hitter = import_util.mock_path_hook(entry, importer=importer)
            path_hooks = [logging_hook, logging_hook, hitter]
            with util.import_state(path_hooks=path_hooks, path=path):
                import_util.import_(to_import)
                self.assertEquals(sys.path_importer_cache[entry], importer)
        self.assertEquals(len(log), 2)

    # [no hook] XXX Worry about after deciding how to handle the default hook.

    def path_argument_test(self, to_import):
        # [path not used]
        class BadImporter:
            """Class to help detect TypeError from calling find_module() with
            an improper number of arguments."""
            def find_module(name):
                raise ImportError

        try:
            import_util.import_(to_import)
        except ImportError:
            pass


class PathTests(BaseTests):

    """Tests for sys.path."""

    def test_order(self):
        self.order_test('hit', 'second', ['first', 'second'],
                        ['first', 'second'])

    def test_cache_use(self):
        entry = "found!"
        self.cache_use_test('hit', entry, [entry])

    def test_hooks_order(self):
        entry = "found!"
        self.hooks_order_test('hit', entry, [entry])

    def test_path_argument(self):
        name = 'total junk'
        with util.uncache(name):
            self.path_argument_test(name)


class __path__Tests(BaseTests):

    """Tests for __path__."""

    def run_test(self, test, entry, path, *args):
        with util.mock_modules('pkg.__init__') as importer:
            importer['pkg'].__path__ = path
            importer.load_module('pkg')
            test('pkg.hit', entry, *args)


    @import_util.importlib_only  # XXX Unknown reason why this fails.
    def test_order(self):
        self.run_test(self.order_test, 'second', ('first', 'second'), ['first',
            'second'])

    def test_cache_use(self):
        location = "I'm here!"
        self.run_test(self.cache_use_test, location, [location])

    def test_hooks_order(self):
        location = "I'm here!"
        self.run_test(self.hooks_order_test, location, [location])

    def test_path_argument(self):
        module = imp.new_module('pkg')
        module.__path__ = ['random __path__']
        name = 'pkg.whatever'
        sys.modules['pkg'] = module
        with util.uncache('pkg', name):
            self.path_argument_test(name)


class FinderTests(unittest.TestCase):

    """Tests for SysPathImporter."""

    def test_failure(self):
        # Test None returned upon not finding a suitable finder.
        def mock_implicit_hooks():
            return []
        # XXX Not blackbox.
        original_hooks = machinery.PathFinder._implicit_hooks
        machinery.PathFinder._implicit_hooks = staticmethod(mock_implicit_hooks)
        try:
            with util.import_state():
                self.assert_(machinery.PathFinder.find_module('XXX') is None)
        finally:
            machinery.PathFinder._implicit_hooks = original_hooks

    def test_sys_path(self):
        # Test that sys.path is used when 'path' is None.
        # Implicitly tests that sys.path_importer_cache is used.
        module = '<test module>'
        path = '<test path>'
        importer = util.mock_modules(module)
        with util.import_state(path_importer_cache={path: importer},
                               path=[path]):
            loader = machinery.PathFinder.find_module(module)
            self.assert_(loader is importer)

    def test_path(self):
        # Test that 'path' is used when set.
        # Implicitly tests that sys.path_importer_cache is used.
        module = '<test module>'
        path = '<test path>'
        importer = util.mock_modules(module)
        with util.import_state(path_importer_cache={path: importer}):
            loader = machinery.PathFinder.find_module(module, [path])
            self.assert_(loader is importer)

    def test_path_importer_cache_has_None(self):
        # Test that the default hook is used when sys.path_importer_cache
        # contains None for a path.
        module = '<test module>'
        importer = util.mock_modules(module)
        path = '<test path>'
        # XXX Not blackbox.
        original_hook = machinery.PathFinder._default_hook
        mock_hook = import_util.mock_path_hook(path, importer=importer)
        machinery.PathFinder._default_hook = staticmethod(mock_hook)
        try:
            with util.import_state(path_importer_cache={path: None}):
                loader = machinery.PathFinder.find_module(module, path=[path])
                self.assert_(loader is importer)
        finally:
            machinery.PathFinder._default_hook = original_hook

    def test_path_hooks(self):
        # Test that sys.path_hooks is used.
        # Test that sys.path_importer_cache is set.
        module = '<test module>'
        path = '<test path>'
        importer = util.mock_modules(module)
        hook = import_util.mock_path_hook(path, importer=importer)
        with util.import_state(path_hooks=[hook]):
            loader = machinery.PathFinder.find_module(module, [path])
            self.assert_(loader is importer)
            self.assert_(path in sys.path_importer_cache)
            self.assert_(sys.path_importer_cache[path] is importer)

    def test_implicit_hooks(self):
        # Test that the implicit path hooks are used.
        existing_path = os.path.dirname(support.TESTFN)
        bad_path = '<path>'
        module = '<module>'
        assert not os.path.exists(bad_path)
        with util.import_state():
            nothing = machinery.PathFinder.find_module(module,
                                                       path=[existing_path])
            self.assert_(nothing is None)
            self.assert_(existing_path in sys.path_importer_cache)
            self.assert_(not isinstance(sys.path_importer_cache[existing_path],
                                        imp.NullImporter))
            nothing = machinery.PathFinder.find_module(module, path=[bad_path])
            self.assert_(nothing is None)
            self.assert_(bad_path in sys.path_importer_cache)
            self.assert_(isinstance(sys.path_importer_cache[bad_path],
                                    imp.NullImporter))


def test_main():
    from test.support import run_unittest
    run_unittest(PathTests, __path__Tests, FinderTests)

if __name__ == '__main__':
    test_main()