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
|
# ============================================================================
# FILE: parent.py
# AUTHOR: Shougo Matsushita <Shougo.Matsu at gmail.com>
# License: MIT license
# ============================================================================
import time
import os
import msgpack
import subprocess
import sys
import typing
from abc import abstractmethod
from functools import partial
from pathlib import Path
from queue import Queue
from deoplete import logger
from deoplete.process import Process
from deoplete.util import error_tb, error, Nvim
UserContext = typing.Dict[str, typing.Any]
class _Parent(logger.LoggingMixin):
def __init__(self, vim: Nvim) -> None:
self.name = 'parent'
self._vim = vim
self._loaded_filters: typing.Set[str] = set()
self._start_process()
def enable_logging(self) -> None:
self._put('enable_logging', [])
self.is_debug_enabled = True
def add_source(self, path: str) -> None:
self._put('add_source', [path])
def add_filter(self, path: str) -> None:
if path in self._loaded_filters:
return
self._loaded_filters.add(path)
self._put('add_filter', [path])
def set_source_attributes(self, context: UserContext) -> None:
self._put('set_source_attributes', [context])
def set_custom(self, custom: typing.Any) -> None:
self._put('set_custom', [custom])
def on_event(self, context: UserContext) -> None:
self._put('on_event', [context])
@abstractmethod
def _start_process(self) -> None:
pass
@abstractmethod
def _put(self, name: str,
args: typing.List[typing.Any]) -> typing.Optional[str]:
pass
class SyncParent(_Parent):
def _start_process(self) -> None:
from deoplete.child import Child
self._child = Child(self._vim)
def merge_results(self,
context: UserContext) -> typing.Tuple[typing.Any]:
results = self._child._merge_results(context, queue_id=None)
ret = (results['is_async'], results['is_async'],
results['merged_results']) if results else (False, [])
return ret # type: ignore
def _put(self, name: str,
args: typing.List[typing.Any]) -> typing.Optional[str]:
self._child.main(name, args, queue_id=None)
return None
class AsyncParent(_Parent):
def _get_python_executable(self) -> str:
"""Get Python executable.
This handles Python being embedded in Vim on Windows or OSX.
Taken from jedia.api.environment._try_get_same_env.
"""
exe = sys.executable
if not os.path.basename(exe).lower().startswith('python'):
check: typing.Tuple[typing.Any, ...]
if os.name == 'nt':
checks = (r'Scripts\python.exe', 'python.exe')
else:
checks = (
'bin/python%s.%s' % ( # type: ignore
sys.version_info[0], sys.version[1]),
'bin/python%s' % (sys.version_info[0]),
'bin/python',
)
for check in checks: # type: ignore
guess = os.path.join(sys.exec_prefix, check) # type: ignore
if os.path.isfile(str(guess)):
return str(guess)
if 'python3_host_prog' not in self._vim.vars:
return 'python3'
return str(self._vim.vars['python3_host_prog'])
return exe
def _start_process(self) -> None:
self._stdin: typing.Optional[typing.Any] = None
self._queue_id = ''
self._queue_in: Queue = Queue() # type: ignore
self._queue_out: Queue = Queue() # type: ignore
self._queue_err: Queue = Queue() # type: ignore
self._packer = msgpack.Packer(
unicode_errors='surrogateescape')
self._unpacker = msgpack.Unpacker(
unicode_errors='surrogateescape')
self._prev_pos: typing.List[typing.Any] = []
info = None
if os.name == 'nt':
info = subprocess.STARTUPINFO() # type: ignore
info.dwFlags |= subprocess.STARTF_USESHOWWINDOW # type: ignore
main = str(Path(__file__).parent.parent.parent.parent.joinpath(
'autoload', 'deoplete', '_main.py'))
self._hnd = self._vim.loop.create_task(
self._vim.loop.subprocess_exec(
partial(Process, self),
self._get_python_executable(),
main,
self._vim.vars['deoplete#_serveraddr'],
startupinfo=info))
def _print_error(self, message: str) -> None:
error(self._vim, message)
def _connect_stdin(self, stdin: int) -> msgpack.Unpacker:
self._stdin = stdin
return self._unpacker
def merge_results(self,
context: UserContext) -> typing.Tuple[typing.Any, ...]:
if (context['event'] == 'Update' and
context['position'] == self._prev_pos and self._queue_id):
# Use previous id
queue_id = self._queue_id
else:
queue_id = self._put('merge_results', [context]) # type: ignore
if not queue_id:
return (False, False, [])
get = self._get(queue_id)
if not get:
# Skip the next merge_results
self._queue_id = queue_id
self._prev_pos = context['position']
return (True, False, [])
self._queue_id = ''
results = get[0]
return (results['is_async'], results['is_async'], # type: ignore
results['merged_results']) if results else (False, [])
def _put(self, name: str,
args: typing.List[typing.Any]) -> typing.Optional[str]:
if not self._hnd:
return None
queue_id = str(time.time())
msg = self._packer.pack({
'name': name, 'args': args, 'queue_id': queue_id
})
self._queue_in.put(msg)
if self._stdin:
try:
while not self._queue_in.empty():
self._stdin.write(self._queue_in.get_nowait())
except BrokenPipeError:
error_tb(self._vim, 'Crash in child process')
error(self._vim, 'stderr=' +
str(self._proc.read_error())) # type: ignore
self._hnd = None
return queue_id
def _get(self, queue_id: str) -> typing.List[typing.Any]:
if not self._hnd:
return []
check_stderr = self._vim.call(
'deoplete#custom#_get_option', 'check_stderr')
while check_stderr and not self._queue_err.empty():
self._print_error(self._queue_err.get_nowait())
outs = []
while not self._queue_out.empty():
outs.append(self._queue_out.get_nowait())
try:
return [x for x in outs if x['queue_id'] == queue_id]
except TypeError:
error_tb(self._vim,
'"stdout" seems contaminated by sources. '
'"stdout" is used for RPC; Please pipe or discard')
return []
|