Completed
Pull Request — master (#211)
by Björn
18:50 queued 17:33
created

Host._load()   B

Complexity

Conditions 6

Size

Total Lines 25

Duplication

Lines 0
Ratio 0 %

Code Coverage

Tests 1
CRAP Score 37.5033

Importance

Changes 5
Bugs 0 Features 0
Metric Value
cc 6
dl 0
loc 25
ccs 1
cts 23
cp 0.0434
crap 37.5033
rs 7.5384
c 5
b 0
f 0
1
"""Implements a Nvim host for python plugins."""
2 6
import functools
3 6
import imp
4 6
import inspect
5 6
import logging
6 6
import os
7 6
import os.path
8 6
import re
9
10 6
from traceback import format_exc
11
12 6
from . import script_host
13 6
from ..api import decode_if_bytes, walk
14 6
from ..compat import IS_PYTHON3, find_module
15 6
from ..msgpack_rpc import ErrorResponse
16 6
from ..util import format_exc_skip
17
18 6
__all__ = ('Host')
19
20 6
logger = logging.getLogger(__name__)
21 6
error, debug, info, warn = (logger.error, logger.debug, logger.info,
22
                            logger.warning,)
23
24
25 6
class Host(object):
26
27
    """Nvim host for python plugins.
28
29
    Takes care of loading/unloading plugins and routing msgpack-rpc
30
    requests/notifications to the appropriate handlers.
31
    """
32
33 6
    def __init__(self, nvim):
34
        """Set handlers for plugin_load/plugin_unload."""
35
        self.nvim = nvim
36
        self._specs = {}
37
        self._loaded = {}
38
        self._load_errors = {}
39
        self._notification_handlers = {}
40
        self._request_handlers = {
41
            'poll': lambda: 'ok',
42
            'specs': self._on_specs_request,
43
            'shutdown': self.shutdown
44
        }
45
46
        # Decode per default for Python3
47
        self._decode_default = IS_PYTHON3
48
49 6
    def _on_async_err(self, msg):
50
        self.nvim.err_write(msg, async=True)
51
52 6
    def start(self, plugins):
53
        """Start listening for msgpack-rpc requests and notifications."""
54
        self.nvim.run_loop(self._on_request,
55
                           self._on_notification,
56
                           lambda: self._load(plugins),
57
                           err_cb=self._on_async_err)
58
59 6
    def shutdown(self):
60
        """Shutdown the host."""
61
        self._unload()
62
        self.nvim.stop_loop()
63
64 6
    def _wrap_function(self, fn, sync, decode, nvim_bind, name, *args):
65
        if decode:
66
            args = walk(decode_if_bytes, args, decode)
67
        if nvim_bind is not None:
68
            args.insert(0, nvim_bind)
69
        try:
70
            return fn(*args)
71
        except Exception:
0 ignored issues
show
Best Practice introduced by
Catching very general exceptions such as Exception is usually not recommended.

Generally, you would want to handle very specific errors in the exception handler. This ensure that you do not hide other types of errors which should be fixed.

So, unless you specifically plan to handle any error, consider adding a more specific exception.

Loading history...
72
            if sync:
73
                msg = ("error caught in request handler '{} {}':\n{}"
74
                       .format(name, args, format_exc_skip(1, 5)))
75
                raise ErrorResponse(msg)
76
            else:
77
                msg = ("error caught in async handler '{} {}'\n{}\n"
78
                       .format(name, args, format_exc_skip(1, 5)))
79
                self._on_async_err(msg + "\n")
80
                raise
81
82 6
    def _on_request(self, name, args):
83
        """Handle a msgpack-rpc request."""
84
        if IS_PYTHON3:
85
            name = decode_if_bytes(name)
86
        handler = self._request_handlers.get(name, None)
87
        if not handler:
88
            msg = self._missing_handler_error(name, 'request')
89
            error(msg)
90
            raise ErrorResponse(msg)
91
92
        debug('calling request handler for "%s", args: "%s"', name, args)
93
        rv = handler(*args)
94
        debug("request handler for '%s %s' returns: %s", name, args, rv)
95
        return rv
96
97 6
    def _on_notification(self, name, args):
98
        """Handle a msgpack-rpc notification."""
99
        if IS_PYTHON3:
100
            name = decode_if_bytes(name)
101
        handler = self._notification_handlers.get(name, None)
102
        if not handler:
103
            msg = self._missing_handler_error(name, 'notification')
104
            error(msg)
105
            self._on_async_err(msg + "\n")
106
            return
107
108
        debug('calling notification handler for "%s", args: "%s"', name, args)
109
        handler(*args)
110
111 6
    def _missing_handler_error(self, name, kind):
112
        msg = 'no {} handler registered for "{}"'.format(kind, name)
113
        pathmatch = re.match(r'(.+):[^:]+:[^:]+', name)
114
        if pathmatch:
115
            loader_error = self._load_errors.get(pathmatch.group(1))
116
            if loader_error is not None:
117
                msg = msg + "\n" + loader_error
118
        return msg
119
120 6
    def _load(self, plugins):
121
        for path in plugins:
122
            err = None
123
            if path in self._loaded:
124
                error('{0} is already loaded'.format(path))
125
                continue
126
            try:
127
                if path == "script_host.py":
128
                    module = script_host
129
                else:
130
                    directory, name = os.path.split(os.path.splitext(path)[0])
131
                    file, pathname, descr = find_module(name, [directory])
132
                    module = imp.load_module(name, file, pathname, descr)
133
                handlers = []
134
                self._discover_classes(module, handlers, path)
135
                self._discover_functions(module, handlers, path)
136
                if not handlers:
137
                    error('{0} exports no handlers'.format(path))
138
                    continue
139
                self._loaded[path] = {'handlers': handlers, 'module': module}
140
            except Exception as e:
0 ignored issues
show
Best Practice introduced by
Catching very general exceptions such as Exception is usually not recommended.

Generally, you would want to handle very specific errors in the exception handler. This ensure that you do not hide other types of errors which should be fixed.

So, unless you specifically plan to handle any error, consider adding a more specific exception.

Loading history...
141
                err = ('Encountered {} loading plugin at {}: {}\n{}'
142
                       .format(type(e).__name__, path, e, format_exc(5)))
143
                error(err)
144
                self._load_errors[path] = err
145
146 6
    def _unload(self):
147
        for path, plugin in self._loaded.items():
0 ignored issues
show
Unused Code introduced by
The variable path seems to be unused.
Loading history...
148
            handlers = plugin['handlers']
149
            for handler in handlers:
150
                method_name = handler._nvim_rpc_method_name
0 ignored issues
show
Coding Style Best Practice introduced by
It seems like _nvim_rpc_method_name was declared protected and should not be accessed from this context.

Prefixing a member variable _ is usually regarded as the equivalent of declaring it with protected visibility that exists in other languages. Consequentially, such a member should only be accessed from the same class or a child class:

class MyParent:
    def __init__(self):
        self._x = 1;
        self.y = 2;

class MyChild(MyParent):
    def some_method(self):
        return self._x    # Ok, since accessed from a child class

class AnotherClass:
    def some_method(self, instance_of_my_child):
        return instance_of_my_child._x   # Would be flagged as AnotherClass is not
                                         # a child class of MyParent
Loading history...
151
                if hasattr(handler, '_nvim_shutdown_hook'):
152
                    handler()
153
                elif handler._nvim_rpc_sync:
0 ignored issues
show
Coding Style Best Practice introduced by
It seems like _nvim_rpc_sync was declared protected and should not be accessed from this context.

Prefixing a member variable _ is usually regarded as the equivalent of declaring it with protected visibility that exists in other languages. Consequentially, such a member should only be accessed from the same class or a child class:

class MyParent:
    def __init__(self):
        self._x = 1;
        self.y = 2;

class MyChild(MyParent):
    def some_method(self):
        return self._x    # Ok, since accessed from a child class

class AnotherClass:
    def some_method(self, instance_of_my_child):
        return instance_of_my_child._x   # Would be flagged as AnotherClass is not
                                         # a child class of MyParent
Loading history...
154
                    del self._request_handlers[method_name]
155
                else:
156
                    del self._notification_handlers[method_name]
157
        self._specs = {}
158
        self._loaded = {}
159
160 6
    def _discover_classes(self, module, handlers, plugin_path):
161
        for _, cls in inspect.getmembers(module, inspect.isclass):
162
            if getattr(cls, '_nvim_plugin', False):
163
                # create an instance of the plugin and pass the nvim object
164
                plugin = cls(self._configure_nvim_for(cls))
165
                # discover handlers in the plugin instance
166
                self._discover_functions(plugin, handlers, plugin_path)
167
168 6
    def _discover_functions(self, obj, handlers, plugin_path):
169
        def predicate(o):
170
            return hasattr(o, '_nvim_rpc_method_name')
171
172
        specs = []
173
        objdecode = getattr(obj, '_nvim_decode', self._decode_default)
174
        for _, fn in inspect.getmembers(obj, predicate):
175
            sync = fn._nvim_rpc_sync
0 ignored issues
show
Coding Style Best Practice introduced by
It seems like _nvim_rpc_sync was declared protected and should not be accessed from this context.

Prefixing a member variable _ is usually regarded as the equivalent of declaring it with protected visibility that exists in other languages. Consequentially, such a member should only be accessed from the same class or a child class:

class MyParent:
    def __init__(self):
        self._x = 1;
        self.y = 2;

class MyChild(MyParent):
    def some_method(self):
        return self._x    # Ok, since accessed from a child class

class AnotherClass:
    def some_method(self, instance_of_my_child):
        return instance_of_my_child._x   # Would be flagged as AnotherClass is not
                                         # a child class of MyParent
Loading history...
176
            decode = getattr(fn, '_nvim_decode', objdecode)
177
            nvim_bind = None
178
            if fn._nvim_bind:
0 ignored issues
show
Coding Style Best Practice introduced by
It seems like _nvim_bind was declared protected and should not be accessed from this context.

Prefixing a member variable _ is usually regarded as the equivalent of declaring it with protected visibility that exists in other languages. Consequentially, such a member should only be accessed from the same class or a child class:

class MyParent:
    def __init__(self):
        self._x = 1;
        self.y = 2;

class MyChild(MyParent):
    def some_method(self):
        return self._x    # Ok, since accessed from a child class

class AnotherClass:
    def some_method(self, instance_of_my_child):
        return instance_of_my_child._x   # Would be flagged as AnotherClass is not
                                         # a child class of MyParent
Loading history...
179
                nvim_bind = self._configure_nvim_for(fn)
180
181
            method = fn._nvim_rpc_method_name
0 ignored issues
show
Coding Style Best Practice introduced by
It seems like _nvim_rpc_method_name was declared protected and should not be accessed from this context.

Prefixing a member variable _ is usually regarded as the equivalent of declaring it with protected visibility that exists in other languages. Consequentially, such a member should only be accessed from the same class or a child class:

class MyParent:
    def __init__(self):
        self._x = 1;
        self.y = 2;

class MyChild(MyParent):
    def some_method(self):
        return self._x    # Ok, since accessed from a child class

class AnotherClass:
    def some_method(self, instance_of_my_child):
        return instance_of_my_child._x   # Would be flagged as AnotherClass is not
                                         # a child class of MyParent
Loading history...
182
            if fn._nvim_prefix_plugin_path:
0 ignored issues
show
Coding Style Best Practice introduced by
It seems like _nvim_prefix_plugin_path was declared protected and should not be accessed from this context.

Prefixing a member variable _ is usually regarded as the equivalent of declaring it with protected visibility that exists in other languages. Consequentially, such a member should only be accessed from the same class or a child class:

class MyParent:
    def __init__(self):
        self._x = 1;
        self.y = 2;

class MyChild(MyParent):
    def some_method(self):
        return self._x    # Ok, since accessed from a child class

class AnotherClass:
    def some_method(self, instance_of_my_child):
        return instance_of_my_child._x   # Would be flagged as AnotherClass is not
                                         # a child class of MyParent
Loading history...
183
                method = '{0}:{1}'.format(plugin_path, method)
184
185
            fn_wrapped = functools.partial(self._wrap_function, fn,
186
                                           sync, decode, nvim_bind, method)
187
            self._copy_attributes(fn, fn_wrapped)
188
            # register in the rpc handler dict
189
            if sync:
190
                if method in self._request_handlers:
191
                    raise Exception(('Request handler for "{0}" is ' +
192
                                    'already registered').format(method))
193
                self._request_handlers[method] = fn_wrapped
194
            else:
195
                if method in self._notification_handlers:
196
                    raise Exception(('Notification handler for "{0}" is ' +
197
                                    'already registered').format(method))
198
                self._notification_handlers[method] = fn_wrapped
199
            if hasattr(fn, '_nvim_rpc_spec'):
200
                specs.append(fn._nvim_rpc_spec)
0 ignored issues
show
Coding Style Best Practice introduced by
It seems like _nvim_rpc_spec was declared protected and should not be accessed from this context.

Prefixing a member variable _ is usually regarded as the equivalent of declaring it with protected visibility that exists in other languages. Consequentially, such a member should only be accessed from the same class or a child class:

class MyParent:
    def __init__(self):
        self._x = 1;
        self.y = 2;

class MyChild(MyParent):
    def some_method(self):
        return self._x    # Ok, since accessed from a child class

class AnotherClass:
    def some_method(self, instance_of_my_child):
        return instance_of_my_child._x   # Would be flagged as AnotherClass is not
                                         # a child class of MyParent
Loading history...
201
            handlers.append(fn_wrapped)
202
        if specs:
203
            self._specs[plugin_path] = specs
204
205 6
    def _copy_attributes(self, fn, fn2):
0 ignored issues
show
Coding Style introduced by
This method could be written as a function/class method.

If a method does not access any attributes of the class, it could also be implemented as a function or static method. This can help improve readability. For example

class Foo:
    def some_method(self, x, y):
        return x + y;

could be written as

class Foo:
    @classmethod
    def some_method(cls, x, y):
        return x + y;
Loading history...
206
        # Copy _nvim_* attributes from the original function
207
        for attr in dir(fn):
208
            if attr.startswith('_nvim_'):
209
                setattr(fn2, attr, getattr(fn, attr))
210
211 6
    def _on_specs_request(self, path):
212
        if IS_PYTHON3:
213
            path = decode_if_bytes(path)
214
        if path in self._load_errors:
215
            self.nvim.out_write(self._load_errors[path] + '\n')
216
        return self._specs.get(path, 0)
217
218 6
    def _configure_nvim_for(self, obj):
219
        # Configure a nvim instance for obj (checks encoding configuration)
220
        nvim = self.nvim
221
        decode = getattr(obj, '_nvim_decode', self._decode_default)
222
        if decode:
223
            nvim = nvim.with_decode(decode)
224
        return nvim
225