##// END OF EJS Templates
Tab key inserts four spaces at the start of the line...
Thomas Kluyver -
Show More
@@ -1,274 +1,289 b''
1 1 """IPython terminal interface using prompt_toolkit in place of readline"""
2 2 from __future__ import print_function
3 3
4 4 import os
5 5 import sys
6 6
7 7 from IPython.core.interactiveshell import InteractiveShell
8 8 from IPython.utils.py3compat import PY3, cast_unicode_py2, input
9 9 from IPython.utils.terminal import toggle_set_term_title, set_term_title
10 10 from IPython.utils.process import abbrev_cwd
11 11 from traitlets import Bool, Unicode, Dict
12 12
13 13 from prompt_toolkit.completion import Completer, Completion
14 14 from prompt_toolkit.enums import DEFAULT_BUFFER
15 from prompt_toolkit.filters import HasFocus, HasSelection
15 from prompt_toolkit.filters import HasFocus, HasSelection, Condition
16 16 from prompt_toolkit.history import InMemoryHistory
17 17 from prompt_toolkit.shortcuts import create_prompt_application, create_eventloop
18 18 from prompt_toolkit.interface import CommandLineInterface
19 19 from prompt_toolkit.key_binding.manager import KeyBindingManager
20 20 from prompt_toolkit.key_binding.vi_state import InputMode
21 21 from prompt_toolkit.key_binding.bindings.vi import ViStateFilter
22 22 from prompt_toolkit.keys import Keys
23 23 from prompt_toolkit.layout.lexers import PygmentsLexer
24 24 from prompt_toolkit.styles import PygmentsStyle
25 25
26 26 from pygments.styles import get_style_by_name
27 27 from pygments.lexers import Python3Lexer, PythonLexer
28 28 from pygments.token import Token
29 29
30 30 from .pt_inputhooks import get_inputhook_func
31 31 from .interactiveshell import get_default_editor, TerminalMagics
32 32
33 33
34 34
35 35 class IPythonPTCompleter(Completer):
36 36 """Adaptor to provide IPython completions to prompt_toolkit"""
37 37 def __init__(self, ipy_completer):
38 38 self.ipy_completer = ipy_completer
39 39
40 40 def get_completions(self, document, complete_event):
41 41 if not document.current_line.strip():
42 42 return
43 43
44 44 used, matches = self.ipy_completer.complete(
45 45 line_buffer=document.current_line,
46 46 cursor_pos=document.cursor_position_col
47 47 )
48 48 start_pos = -len(used)
49 49 for m in matches:
50 50 yield Completion(m, start_position=start_pos)
51 51
52 52 class TerminalInteractiveShell(InteractiveShell):
53 53 colors_force = True
54 54
55 55 pt_cli = None
56 56
57 57 vi_mode = Bool(False, config=True,
58 58 help="Use vi style keybindings at the prompt",
59 59 )
60 60
61 61 mouse_support = Bool(False, config=True,
62 62 help="Enable mouse support in the prompt"
63 63 )
64 64
65 65 highlighting_style = Unicode('', config=True,
66 66 help="The name of a Pygments style to use for syntax highlighting"
67 67 )
68 68
69 69 highlighting_style_overrides = Dict(config=True,
70 70 help="Override highlighting format for specific tokens"
71 71 )
72 72
73 73 editor = Unicode(get_default_editor(), config=True,
74 74 help="Set the editor used by IPython (default to $EDITOR/vi/notepad)."
75 75 )
76 76
77 77 term_title = Bool(True, config=True,
78 78 help="Automatically set the terminal title"
79 79 )
80 80 def _term_title_changed(self, name, new_value):
81 81 self.init_term_title()
82 82
83 83 def init_term_title(self):
84 84 # Enable or disable the terminal title.
85 85 if self.term_title:
86 86 toggle_set_term_title(True)
87 87 set_term_title('IPython: ' + abbrev_cwd())
88 88 else:
89 89 toggle_set_term_title(False)
90 90
91 91 def get_prompt_tokens(self, cli):
92 92 return [
93 93 (Token.Prompt, 'In ['),
94 94 (Token.PromptNum, str(self.execution_count)),
95 95 (Token.Prompt, ']: '),
96 96 ]
97 97
98 98 def get_continuation_tokens(self, cli, width):
99 99 return [
100 100 (Token.Prompt, (' ' * (width - 5)) + '...: '),
101 101 ]
102 102
103 103 def init_prompt_toolkit_cli(self):
104 104 if ('IPY_TEST_SIMPLE_PROMPT' in os.environ) or not sys.stdin.isatty():
105 105 # Fall back to plain non-interactive output for tests.
106 106 # This is very limited, and only accepts a single line.
107 107 def prompt():
108 108 return cast_unicode_py2(input('In [%d]: ' % self.execution_count))
109 109 self.prompt_for_code = prompt
110 110 return
111 111
112 112 kbmanager = KeyBindingManager.for_prompt(enable_vi_mode=self.vi_mode)
113 113 insert_mode = ViStateFilter(kbmanager.get_vi_state, InputMode.INSERT)
114 114 # Ctrl+J == Enter, seemingly
115 115 @kbmanager.registry.add_binding(Keys.ControlJ,
116 116 filter=(HasFocus(DEFAULT_BUFFER)
117 117 & ~HasSelection()
118 118 & insert_mode
119 119 ))
120 120 def _(event):
121 121 b = event.current_buffer
122 122 d = b.document
123 123 if not (d.on_last_line or d.cursor_position_row >= d.line_count
124 124 - d.empty_line_count_at_the_end()):
125 125 b.newline()
126 126 return
127 127
128 128 status, indent = self.input_splitter.check_complete(d.text)
129 129
130 130 if (status != 'incomplete') and b.accept_action.is_returnable:
131 131 b.accept_action.validate_and_handle(event.cli, b)
132 132 else:
133 133 b.insert_text('\n' + (' ' * (indent or 0)))
134 134
135 135 @kbmanager.registry.add_binding(Keys.ControlC)
136 136 def _(event):
137 137 event.current_buffer.reset()
138 138
139 @Condition
140 def cursor_in_leading_ws(cli):
141 before = cli.application.buffer.document.current_line_before_cursor
142 return (not before) or before.isspace()
143
144 # Ctrl+I == Tab
145 @kbmanager.registry.add_binding(Keys.ControlI,
146 filter=(HasFocus(DEFAULT_BUFFER)
147 & ~HasSelection()
148 & insert_mode
149 & cursor_in_leading_ws
150 ))
151 def _(event):
152 event.current_buffer.insert_text(' ' * 4)
153
139 154 # Pre-populate history from IPython's history database
140 155 history = InMemoryHistory()
141 156 last_cell = u""
142 157 for _, _, cell in self.history_manager.get_tail(self.history_load_length,
143 158 include_latest=True):
144 159 # Ignore blank lines and consecutive duplicates
145 160 cell = cell.rstrip()
146 161 if cell and (cell != last_cell):
147 162 history.append(cell)
148 163
149 164 style_overrides = {
150 165 Token.Prompt: '#009900',
151 166 Token.PromptNum: '#00ff00 bold',
152 167 }
153 168 if self.highlighting_style:
154 169 style_cls = get_style_by_name(self.highlighting_style)
155 170 else:
156 171 style_cls = get_style_by_name('default')
157 172 # The default theme needs to be visible on both a dark background
158 173 # and a light background, because we can't tell what the terminal
159 174 # looks like. These tweaks to the default theme help with that.
160 175 style_overrides.update({
161 176 Token.Number: '#007700',
162 177 Token.Operator: 'noinherit',
163 178 Token.String: '#BB6622',
164 179 Token.Name.Function: '#2080D0',
165 180 Token.Name.Class: 'bold #2080D0',
166 181 Token.Name.Namespace: 'bold #2080D0',
167 182 })
168 183 style_overrides.update(self.highlighting_style_overrides)
169 184 style = PygmentsStyle.from_defaults(pygments_style_cls=style_cls,
170 185 style_dict=style_overrides)
171 186
172 187 app = create_prompt_application(multiline=True,
173 188 lexer=PygmentsLexer(Python3Lexer if PY3 else PythonLexer),
174 189 get_prompt_tokens=self.get_prompt_tokens,
175 190 get_continuation_tokens=self.get_continuation_tokens,
176 191 key_bindings_registry=kbmanager.registry,
177 192 history=history,
178 193 completer=IPythonPTCompleter(self.Completer),
179 194 enable_history_search=True,
180 195 style=style,
181 196 mouse_support=self.mouse_support,
182 197 )
183 198
184 199 self.pt_cli = CommandLineInterface(app,
185 200 eventloop=create_eventloop(self.inputhook))
186 201
187 202 def prompt_for_code(self):
188 203 document = self.pt_cli.run(pre_run=self.pre_prompt)
189 204 return document.text
190 205
191 206 def init_io(self):
192 207 if sys.platform not in {'win32', 'cli'}:
193 208 return
194 209
195 210 import colorama
196 211 colorama.init()
197 212
198 213 # For some reason we make these wrappers around stdout/stderr.
199 214 # For now, we need to reset them so all output gets coloured.
200 215 # https://github.com/ipython/ipython/issues/8669
201 216 from IPython.utils import io
202 217 io.stdout = io.IOStream(sys.stdout)
203 218 io.stderr = io.IOStream(sys.stderr)
204 219
205 220 def init_magics(self):
206 221 super(TerminalInteractiveShell, self).init_magics()
207 222 self.register_magics(TerminalMagics)
208 223
209 224 def init_alias(self):
210 225 # The parent class defines aliases that can be safely used with any
211 226 # frontend.
212 227 super(TerminalInteractiveShell, self).init_alias()
213 228
214 229 # Now define aliases that only make sense on the terminal, because they
215 230 # need direct access to the console in a way that we can't emulate in
216 231 # GUI or web frontend
217 232 if os.name == 'posix':
218 233 for cmd in ['clear', 'more', 'less', 'man']:
219 234 self.alias_manager.soft_define_alias(cmd, cmd)
220 235
221 236
222 237 def __init__(self, *args, **kwargs):
223 238 super(TerminalInteractiveShell, self).__init__(*args, **kwargs)
224 239 self.init_prompt_toolkit_cli()
225 240 self.init_term_title()
226 241 self.keep_running = True
227 242
228 243 def ask_exit(self):
229 244 self.keep_running = False
230 245
231 246 rl_next_input = None
232 247
233 248 def pre_prompt(self):
234 249 if self.rl_next_input:
235 250 self.pt_cli.application.buffer.text = cast_unicode_py2(self.rl_next_input)
236 251 self.rl_next_input = None
237 252
238 253 def interact(self):
239 254 while self.keep_running:
240 255 print(self.separate_in, end='')
241 256
242 257 try:
243 258 code = self.prompt_for_code()
244 259 except EOFError:
245 260 if self.ask_yes_no('Do you really want to exit ([y]/n)?','y','n'):
246 261 self.ask_exit()
247 262
248 263 else:
249 264 if code:
250 265 self.run_cell(code, store_history=True)
251 266
252 267 def mainloop(self):
253 268 # An extra layer of protection in case someone mashing Ctrl-C breaks
254 269 # out of our internal code.
255 270 while True:
256 271 try:
257 272 self.interact()
258 273 break
259 274 except KeyboardInterrupt:
260 275 print("\nKeyboardInterrupt escaped interact()\n")
261 276
262 277 _inputhook = None
263 278 def inputhook(self, context):
264 279 if self._inputhook is not None:
265 280 self._inputhook(context)
266 281
267 282 def enable_gui(self, gui=None):
268 283 if gui:
269 284 self._inputhook = get_inputhook_func(gui)
270 285 else:
271 286 self._inputhook = None
272 287
273 288 if __name__ == '__main__':
274 289 TerminalInteractiveShell.instance().interact()
General Comments 0
You need to be logged in to leave comments. Login now