Completed
Pull Request — master (#183)
by Björn
22:48
created

neovim.start_host()   F

Complexity

Conditions 10

Size

Total Lines 43

Duplication

Lines 0
Ratio 0 %

Code Coverage

Tests 2
CRAP Score 72.9643
Metric Value
cc 10
dl 0
loc 43
ccs 2
cts 14
cp 0.1429
crap 72.9643
rs 3.1304

How to fix   Complexity   

Complexity

Complex classes like neovim.start_host() often do a lot of different things. To break such a class down, we need to identify a cohesive component within that class. A common approach to find such a component is to look for fields/methods that share the same prefixes, or suffixes.

Once you have determined the fields that belong together, you can apply the Extract Class refactoring. If the component makes sense as a sub-class, Extract Subclass is also a candidate, and is often faster.

1
"""Python client for Nvim.
2
3
Client library for talking with Nvim processes via it's msgpack-rpc API.
4
"""
5 6
import logging
6 6
import os
7 6
import sys
8
9 6
from .api import DecodeHook, Nvim, SessionHook
10 6
from .msgpack_rpc import (child_session, socket_session, stdio_session,
11
                          tcp_session)
12 6
from .plugin import (Host, autocmd, command, encoding, function, plugin,
13
                     rpc_export, shutdown_hook)
14
15
16 6
__all__ = ('tcp_session', 'socket_session', 'stdio_session', 'child_session',
17
           'start_host', 'autocmd', 'command', 'encoding', 'function',
18
           'plugin', 'rpc_export', 'Host', 'DecodeHook', 'Nvim',
19
           'SessionHook', 'shutdown_hook', 'attach', 'setup_logging')
20
21
22 6
def start_host(session=None):
23
    """Promote the current process into python plugin host for Nvim.
24
25
    Start msgpack-rpc event loop for `session`, listening for Nvim requests
26
    and notifications. It registers Nvim commands for loading/unloading
27
    python plugins.
28
29
    The sys.stdout and sys.stderr streams are redirected to Nvim through
30
    `session`. That means print statements probably won't work as expected
31
    while this function doesn't return.
32
33
    This function is normally called at program startup and could have been
34
    defined as a separate executable. It is exposed as a library function for
35
    testing purposes only.
36
    """
37
    plugins = []
38
    for arg in sys.argv:
39
        _, ext = os.path.splitext(arg)
40
        if ext == '.py':
41
            plugins.append(arg)
42
        elif os.path.isdir(arg):
43
            init = os.path.join(arg, '__init__.py')
44
            if os.path.isfile(init):
45
                plugins.append(arg)
46
47
    # this is a special case for the old workaround of adding
48
    # an empty .py file to make a package directory visible
49
    # and should be removed soon.
50
    for plugin in list(plugins):
51
        dup = plugin+".py"
52
        if os.path.isdir(plugin) and dup in plugins:
53
            plugins.remove(dup)
54 6
55
56
    if not plugins:
57
        sys.exit('must specify at least one plugin as argument')
58
59
    setup_logging()
60
61
    if not session:
62
        session = stdio_session()
63
    host = Host(Nvim.from_session(session))
64
    host.start(plugins)
65
66
67
def attach(session_type, address=None, port=None, path=None, argv=None):
68
    """Provide a nicer interface to create python api sessions.
69
70
    Previous machinery to create python api sessions is still there. This only
71 6
    creates a facade function to make things easier for the most usual cases.
72
    Thus, instead of:
73
        from neovim import socket_session, Nvim
74
        session = tcp_session(address=<address>, port=<port>)
75
        nvim = Nvim.from_session(session)
76
    You can now do:
77 6
        from neovim import attach
78
        nvim = attach('tcp', address=<address>, port=<port>)
79
    And also:
80 6
        nvim = attach('socket', path=<path>)
81
        nvim = attach('child', argv=<argv>)
82
        nvim = attach('stdio')
83 6
    """
84
    session = (tcp_session(address, port) if session_type == 'tcp' else
85 6
               socket_session(path) if session_type == 'socket' else
86 6
               stdio_session() if session_type == 'stdio' else
87
               child_session(argv) if session_type == 'child' else
88
               None)
89
90
    if not session:
91
        raise Exception('Unknown session type "%s"' % session_type)
92
93
    return Nvim.from_session(session)
94
95
96
def setup_logging():
97
    """Setup logging according to environment variables."""
98
    logger = logging.getLogger(__name__)
99
    if 'NVIM_PYTHON_LOG_FILE' in os.environ:
100
        logfile = (os.environ['NVIM_PYTHON_LOG_FILE'].strip() +
101
                   '_' + str(os.getpid()))
102
        handler = logging.FileHandler(logfile, 'w')
103
        handler.formatter = logging.Formatter(
104
            '%(asctime)s [%(levelname)s @ '
105 6
            '%(filename)s:%(funcName)s:%(lineno)s] %(process)s - %(message)s')
106 6
        logging.root.addHandler(handler)
107 6
        level = logging.INFO
108
        if 'NVIM_PYTHON_LOG_LEVEL' in os.environ:
109
            l = getattr(logging,
110 6
                        os.environ['NVIM_PYTHON_LOG_LEVEL'].strip(),
111 6
                        level)
112
            if isinstance(l, int):
113
                level = l
114
        logger.setLevel(level)
115
116
117
# Required for python 2.6
118
class NullHandler(logging.Handler):
119
    def emit(self, record):
120
        pass
121
122
123
if not logging.root.handlers:
124
    logging.root.addHandler(NullHandler())
125