##// END OF EJS Templates
cleanup terminal console iopub handling...
MinRK -
Show More
@@ -1,464 +1,480
1 # -*- coding: utf-8 -*-
1 # -*- coding: utf-8 -*-
2 """terminal client to the IPython kernel
2 """terminal client to the IPython kernel
3
3
4 """
4 """
5 #-----------------------------------------------------------------------------
5 #-----------------------------------------------------------------------------
6 # Copyright (C) 2013 The IPython Development Team
6 # Copyright (C) 2013 The IPython Development Team
7 #
7 #
8 # Distributed under the terms of the BSD License. The full license is in
8 # Distributed under the terms of the BSD License. The full license is in
9 # the file COPYING, distributed as part of this software.
9 # the file COPYING, distributed as part of this software.
10 #-----------------------------------------------------------------------------
10 #-----------------------------------------------------------------------------
11
11
12 #-----------------------------------------------------------------------------
12 #-----------------------------------------------------------------------------
13 # Imports
13 # Imports
14 #-----------------------------------------------------------------------------
14 #-----------------------------------------------------------------------------
15 from __future__ import print_function
15 from __future__ import print_function
16
16
17 import bdb
17 import bdb
18 import signal
18 import signal
19 import os
19 import os
20 import sys
20 import sys
21 import time
21 import time
22 import subprocess
22 import subprocess
23 from io import BytesIO
23 from io import BytesIO
24 import base64
24 import base64
25
25
26 from Queue import Empty
26 from Queue import Empty
27
27
28 try:
28 try:
29 from contextlib import nested
29 from contextlib import nested
30 except:
30 except:
31 from IPython.utils.nested_context import nested
31 from IPython.utils.nested_context import nested
32
32
33 from IPython.core import page
33 from IPython.core import page
34 from IPython.utils.warn import warn, error
34 from IPython.utils.warn import warn, error
35 from IPython.utils import io
35 from IPython.utils import io
36 from IPython.utils.traitlets import List, Enum, Any, Instance, Unicode
36 from IPython.utils.traitlets import List, Enum, Any, Instance, Unicode
37 from IPython.utils.tempdir import NamedFileInTemporaryDirectory
37 from IPython.utils.tempdir import NamedFileInTemporaryDirectory
38
38
39 from IPython.terminal.interactiveshell import TerminalInteractiveShell
39 from IPython.terminal.interactiveshell import TerminalInteractiveShell
40 from IPython.terminal.console.completer import ZMQCompleter
40 from IPython.terminal.console.completer import ZMQCompleter
41
41
42
42
43 class ZMQTerminalInteractiveShell(TerminalInteractiveShell):
43 class ZMQTerminalInteractiveShell(TerminalInteractiveShell):
44 """A subclass of TerminalInteractiveShell that uses the 0MQ kernel"""
44 """A subclass of TerminalInteractiveShell that uses the 0MQ kernel"""
45 _executing = False
45 _executing = False
46 _execution_state = Unicode('')
47 _current_msg_id = Unicode('')
46
48
47 image_handler = Enum(('PIL', 'stream', 'tempfile', 'callable'),
49 image_handler = Enum(('PIL', 'stream', 'tempfile', 'callable'),
48 config=True, help=
50 config=True, help=
49 """
51 """
50 Handler for image type output. This is useful, for example,
52 Handler for image type output. This is useful, for example,
51 when connecting to the kernel in which pylab inline backend is
53 when connecting to the kernel in which pylab inline backend is
52 activated. There are four handlers defined. 'PIL': Use
54 activated. There are four handlers defined. 'PIL': Use
53 Python Imaging Library to popup image; 'stream': Use an
55 Python Imaging Library to popup image; 'stream': Use an
54 external program to show the image. Image will be fed into
56 external program to show the image. Image will be fed into
55 the STDIN of the program. You will need to configure
57 the STDIN of the program. You will need to configure
56 `stream_image_handler`; 'tempfile': Use an external program to
58 `stream_image_handler`; 'tempfile': Use an external program to
57 show the image. Image will be saved in a temporally file and
59 show the image. Image will be saved in a temporally file and
58 the program is called with the temporally file. You will need
60 the program is called with the temporally file. You will need
59 to configure `tempfile_image_handler`; 'callable': You can set
61 to configure `tempfile_image_handler`; 'callable': You can set
60 any Python callable which is called with the image data. You
62 any Python callable which is called with the image data. You
61 will need to configure `callable_image_handler`.
63 will need to configure `callable_image_handler`.
62 """
64 """
63 )
65 )
64
66
65 stream_image_handler = List(config=True, help=
67 stream_image_handler = List(config=True, help=
66 """
68 """
67 Command to invoke an image viewer program when you are using
69 Command to invoke an image viewer program when you are using
68 'stream' image handler. This option is a list of string where
70 'stream' image handler. This option is a list of string where
69 the first element is the command itself and reminders are the
71 the first element is the command itself and reminders are the
70 options for the command. Raw image data is given as STDIN to
72 options for the command. Raw image data is given as STDIN to
71 the program.
73 the program.
72 """
74 """
73 )
75 )
74
76
75 tempfile_image_handler = List(config=True, help=
77 tempfile_image_handler = List(config=True, help=
76 """
78 """
77 Command to invoke an image viewer program when you are using
79 Command to invoke an image viewer program when you are using
78 'tempfile' image handler. This option is a list of string
80 'tempfile' image handler. This option is a list of string
79 where the first element is the command itself and reminders
81 where the first element is the command itself and reminders
80 are the options for the command. You can use {file} and
82 are the options for the command. You can use {file} and
81 {format} in the string to represent the location of the
83 {format} in the string to represent the location of the
82 generated image file and image format.
84 generated image file and image format.
83 """
85 """
84 )
86 )
85
87
86 callable_image_handler = Any(config=True, help=
88 callable_image_handler = Any(config=True, help=
87 """
89 """
88 Callable object called via 'callable' image handler with one
90 Callable object called via 'callable' image handler with one
89 argument, `data`, which is `msg["content"]["data"]` where
91 argument, `data`, which is `msg["content"]["data"]` where
90 `msg` is the message from iopub channel. For exmaple, you can
92 `msg` is the message from iopub channel. For exmaple, you can
91 find base64 encoded PNG data as `data['image/png']`.
93 find base64 encoded PNG data as `data['image/png']`.
92 """
94 """
93 )
95 )
94
96
95 mime_preference = List(
97 mime_preference = List(
96 default_value=['image/png', 'image/jpeg', 'image/svg+xml'],
98 default_value=['image/png', 'image/jpeg', 'image/svg+xml'],
97 config=True, allow_none=False, help=
99 config=True, allow_none=False, help=
98 """
100 """
99 Preferred object representation MIME type in order. First
101 Preferred object representation MIME type in order. First
100 matched MIME type will be used.
102 matched MIME type will be used.
101 """
103 """
102 )
104 )
103
105
104 manager = Instance('IPython.kernel.KernelManager')
106 manager = Instance('IPython.kernel.KernelManager')
105 client = Instance('IPython.kernel.KernelClient')
107 client = Instance('IPython.kernel.KernelClient')
106 def _client_changed(self, name, old, new):
108 def _client_changed(self, name, old, new):
107 self.session_id = new.session.session
109 self.session_id = new.session.session
108 session_id = Unicode()
110 session_id = Unicode()
109
111
110 def init_completer(self):
112 def init_completer(self):
111 """Initialize the completion machinery.
113 """Initialize the completion machinery.
112
114
113 This creates completion machinery that can be used by client code,
115 This creates completion machinery that can be used by client code,
114 either interactively in-process (typically triggered by the readline
116 either interactively in-process (typically triggered by the readline
115 library), programatically (such as in test suites) or out-of-prcess
117 library), programatically (such as in test suites) or out-of-prcess
116 (typically over the network by remote frontends).
118 (typically over the network by remote frontends).
117 """
119 """
118 from IPython.core.completerlib import (module_completer,
120 from IPython.core.completerlib import (module_completer,
119 magic_run_completer, cd_completer)
121 magic_run_completer, cd_completer)
120
122
121 self.Completer = ZMQCompleter(self, self.client)
123 self.Completer = ZMQCompleter(self, self.client)
122
124
123
125
124 self.set_hook('complete_command', module_completer, str_key = 'import')
126 self.set_hook('complete_command', module_completer, str_key = 'import')
125 self.set_hook('complete_command', module_completer, str_key = 'from')
127 self.set_hook('complete_command', module_completer, str_key = 'from')
126 self.set_hook('complete_command', magic_run_completer, str_key = '%run')
128 self.set_hook('complete_command', magic_run_completer, str_key = '%run')
127 self.set_hook('complete_command', cd_completer, str_key = '%cd')
129 self.set_hook('complete_command', cd_completer, str_key = '%cd')
128
130
129 # Only configure readline if we truly are using readline. IPython can
131 # Only configure readline if we truly are using readline. IPython can
130 # do tab-completion over the network, in GUIs, etc, where readline
132 # do tab-completion over the network, in GUIs, etc, where readline
131 # itself may be absent
133 # itself may be absent
132 if self.has_readline:
134 if self.has_readline:
133 self.set_readline_completer()
135 self.set_readline_completer()
134
136
135 def run_cell(self, cell, store_history=True):
137 def run_cell(self, cell, store_history=True):
136 """Run a complete IPython cell.
138 """Run a complete IPython cell.
137
139
138 Parameters
140 Parameters
139 ----------
141 ----------
140 cell : str
142 cell : str
141 The code (including IPython code such as %magic functions) to run.
143 The code (including IPython code such as %magic functions) to run.
142 store_history : bool
144 store_history : bool
143 If True, the raw and translated cell will be stored in IPython's
145 If True, the raw and translated cell will be stored in IPython's
144 history. For user code calling back into IPython's machinery, this
146 history. For user code calling back into IPython's machinery, this
145 should be set to False.
147 should be set to False.
146 """
148 """
147 if (not cell) or cell.isspace():
149 if (not cell) or cell.isspace():
148 return
150 return
149
151
150 if cell.strip() == 'exit':
152 if cell.strip() == 'exit':
151 # explicitly handle 'exit' command
153 # explicitly handle 'exit' command
152 return self.ask_exit()
154 return self.ask_exit()
153
155
154 self._executing = True
155 # flush stale replies, which could have been ignored, due to missed heartbeats
156 # flush stale replies, which could have been ignored, due to missed heartbeats
156 while self.client.shell_channel.msg_ready():
157 while self.client.shell_channel.msg_ready():
157 self.client.shell_channel.get_msg()
158 self.client.shell_channel.get_msg()
158 # shell_channel.execute takes 'hidden', which is the inverse of store_hist
159 # shell_channel.execute takes 'hidden', which is the inverse of store_hist
159 msg_id = self.client.shell_channel.execute(cell, not store_history)
160 msg_id = self.client.shell_channel.execute(cell, not store_history)
160 while not self.client.shell_channel.msg_ready() and self.client.is_alive():
161 self._current_msg_id = msg_id
162
163 # first thing is wait for any side effects (output, stdin, etc.)
164 self._executing = True
165 self._execution_state = "busy"
166 while self._execution_state != 'idle' and self.client.is_alive():
167 print (self._execution_state)
161 try:
168 try:
162 self.handle_stdin_request(timeout=0.05)
169 self.handle_stdin_request(msg_id, timeout=0.05)
163 except Empty:
170 except Empty:
164 # display intermediate print statements, etc.
171 # display intermediate print statements, etc.
165 self.handle_iopub()
172 self.handle_iopub(msg_id)
173 pass
174
175 # after all of that is done, wait for the execute reply
176 while self.client.is_alive():
177 try:
178 self.handle_execute_reply(msg_id, timeout=0.05)
179 except Empty:
166 pass
180 pass
167 if self.client.shell_channel.msg_ready():
181 else:
168 self.handle_execute_reply(msg_id)
182 break
169 self._executing = False
183 self._executing = False
170
184
171 #-----------------
185 #-----------------
172 # message handlers
186 # message handlers
173 #-----------------
187 #-----------------
174
188
175 def handle_execute_reply(self, msg_id):
189 def handle_execute_reply(self, msg_id, timeout=None):
176 msg = self.client.shell_channel.get_msg()
190 msg = self.client.shell_channel.get_msg(block=False, timeout=timeout)
177 if msg["parent_header"].get("msg_id", None) == msg_id:
191 if msg["parent_header"].get("msg_id", None) == msg_id:
178
192
179 self.handle_iopub()
193 self.handle_iopub(msg_id)
180
194
181 content = msg["content"]
195 content = msg["content"]
182 status = content['status']
196 status = content['status']
183
197
184 if status == 'aborted':
198 if status == 'aborted':
185 self.write('Aborted\n')
199 self.write('Aborted\n')
186 return
200 return
187 elif status == 'ok':
201 elif status == 'ok':
188 # print execution payloads as well:
202 # print execution payloads as well:
189 for item in content["payload"]:
203 for item in content["payload"]:
190 text = item.get('text', None)
204 text = item.get('text', None)
191 if text:
205 if text:
192 page.page(text)
206 page.page(text)
193
207
194 elif status == 'error':
208 elif status == 'error':
195 for frame in content["traceback"]:
209 for frame in content["traceback"]:
196 print(frame, file=io.stderr)
210 print(frame, file=io.stderr)
197
211
198 self.execution_count = int(content["execution_count"] + 1)
212 self.execution_count = int(content["execution_count"] + 1)
199
213
200
214
201 def handle_iopub(self):
215 def handle_iopub(self, msg_id):
202 """ Method to procces subscribe channel's messages
216 """ Method to process subscribe channel's messages
203
217
204 This method reads a message and processes the content in different
218 This method consumes and processes messages on the IOPub channel,
205 outputs like stdout, stderr, pyout and status
219 such as stdout, stderr, pyout and status.
206
220
207 Arguments:
221 It only displays output that is caused by the given msg_id
208 sub_msg: message receive from kernel in the sub socket channel
209 capture by kernel manager.
210 """
222 """
211 while self.client.iopub_channel.msg_ready():
223 while self.client.iopub_channel.msg_ready():
212 sub_msg = self.client.iopub_channel.get_msg()
224 sub_msg = self.client.iopub_channel.get_msg()
213 msg_type = sub_msg['header']['msg_type']
225 msg_type = sub_msg['header']['msg_type']
214 parent = sub_msg["parent_header"]
226 parent = sub_msg["parent_header"]
215 if (not parent) or self.session_id == parent['session']:
227 if (not parent) or msg_id == parent['msg_id']:
216 if msg_type == 'status' :
228 if msg_type == 'status':
217 if sub_msg["content"]["execution_state"] == "busy" :
229 state = self._execution_state = sub_msg["content"]["execution_state"]
218 pass
230 # idle messages mean an individual sequence is complete,
231 # so break out of consumption to allow other things to take over.
232 if state == 'idle':
233 break
219
234
220 elif msg_type == 'stream' :
235 elif msg_type == 'stream':
221 if sub_msg["content"]["name"] == "stdout":
236 if sub_msg["content"]["name"] == "stdout":
222 print(sub_msg["content"]["data"], file=io.stdout, end="")
237 print(sub_msg["content"]["data"], file=io.stdout, end="")
223 io.stdout.flush()
238 io.stdout.flush()
224 elif sub_msg["content"]["name"] == "stderr" :
239 elif sub_msg["content"]["name"] == "stderr" :
225 print(sub_msg["content"]["data"], file=io.stderr, end="")
240 print(sub_msg["content"]["data"], file=io.stderr, end="")
226 io.stderr.flush()
241 io.stderr.flush()
227
242
228 elif msg_type == 'pyout':
243 elif msg_type == 'pyout':
229 self.execution_count = int(sub_msg["content"]["execution_count"])
244 self.execution_count = int(sub_msg["content"]["execution_count"])
230 format_dict = sub_msg["content"]["data"]
245 format_dict = sub_msg["content"]["data"]
231 self.handle_rich_data(format_dict)
246 self.handle_rich_data(format_dict)
232 # taken from DisplayHook.__call__:
247 # taken from DisplayHook.__call__:
233 hook = self.displayhook
248 hook = self.displayhook
234 hook.start_displayhook()
249 hook.start_displayhook()
235 hook.write_output_prompt()
250 hook.write_output_prompt()
236 hook.write_format_data(format_dict)
251 hook.write_format_data(format_dict)
237 hook.log_output(format_dict)
252 hook.log_output(format_dict)
238 hook.finish_displayhook()
253 hook.finish_displayhook()
239
254
240 elif msg_type == 'display_data':
255 elif msg_type == 'display_data':
241 self.handle_rich_data(sub_msg["content"]["data"])
256 self.handle_rich_data(sub_msg["content"]["data"])
242
257
258
243 _imagemime = {
259 _imagemime = {
244 'image/png': 'png',
260 'image/png': 'png',
245 'image/jpeg': 'jpeg',
261 'image/jpeg': 'jpeg',
246 'image/svg+xml': 'svg',
262 'image/svg+xml': 'svg',
247 }
263 }
248
264
249 def handle_rich_data(self, data):
265 def handle_rich_data(self, data):
250 for mime in self.mime_preference:
266 for mime in self.mime_preference:
251 if mime in data and mime in self._imagemime:
267 if mime in data and mime in self._imagemime:
252 self.handle_image(data, mime)
268 self.handle_image(data, mime)
253 return
269 return
254
270
255 def handle_image(self, data, mime):
271 def handle_image(self, data, mime):
256 handler = getattr(
272 handler = getattr(
257 self, 'handle_image_{0}'.format(self.image_handler), None)
273 self, 'handle_image_{0}'.format(self.image_handler), None)
258 if handler:
274 if handler:
259 handler(data, mime)
275 handler(data, mime)
260
276
261 def handle_image_PIL(self, data, mime):
277 def handle_image_PIL(self, data, mime):
262 if mime not in ('image/png', 'image/jpeg'):
278 if mime not in ('image/png', 'image/jpeg'):
263 return
279 return
264 import PIL.Image
280 import PIL.Image
265 raw = base64.decodestring(data[mime].encode('ascii'))
281 raw = base64.decodestring(data[mime].encode('ascii'))
266 img = PIL.Image.open(BytesIO(raw))
282 img = PIL.Image.open(BytesIO(raw))
267 img.show()
283 img.show()
268
284
269 def handle_image_stream(self, data, mime):
285 def handle_image_stream(self, data, mime):
270 raw = base64.decodestring(data[mime].encode('ascii'))
286 raw = base64.decodestring(data[mime].encode('ascii'))
271 imageformat = self._imagemime[mime]
287 imageformat = self._imagemime[mime]
272 fmt = dict(format=imageformat)
288 fmt = dict(format=imageformat)
273 args = [s.format(**fmt) for s in self.stream_image_handler]
289 args = [s.format(**fmt) for s in self.stream_image_handler]
274 with open(os.devnull, 'w') as devnull:
290 with open(os.devnull, 'w') as devnull:
275 proc = subprocess.Popen(
291 proc = subprocess.Popen(
276 args, stdin=subprocess.PIPE,
292 args, stdin=subprocess.PIPE,
277 stdout=devnull, stderr=devnull)
293 stdout=devnull, stderr=devnull)
278 proc.communicate(raw)
294 proc.communicate(raw)
279
295
280 def handle_image_tempfile(self, data, mime):
296 def handle_image_tempfile(self, data, mime):
281 raw = base64.decodestring(data[mime].encode('ascii'))
297 raw = base64.decodestring(data[mime].encode('ascii'))
282 imageformat = self._imagemime[mime]
298 imageformat = self._imagemime[mime]
283 filename = 'tmp.{0}'.format(imageformat)
299 filename = 'tmp.{0}'.format(imageformat)
284 with nested(NamedFileInTemporaryDirectory(filename),
300 with nested(NamedFileInTemporaryDirectory(filename),
285 open(os.devnull, 'w')) as (f, devnull):
301 open(os.devnull, 'w')) as (f, devnull):
286 f.write(raw)
302 f.write(raw)
287 f.flush()
303 f.flush()
288 fmt = dict(file=f.name, format=imageformat)
304 fmt = dict(file=f.name, format=imageformat)
289 args = [s.format(**fmt) for s in self.tempfile_image_handler]
305 args = [s.format(**fmt) for s in self.tempfile_image_handler]
290 subprocess.call(args, stdout=devnull, stderr=devnull)
306 subprocess.call(args, stdout=devnull, stderr=devnull)
291
307
292 def handle_image_callable(self, data, mime):
308 def handle_image_callable(self, data, mime):
293 self.callable_image_handler(data)
309 self.callable_image_handler(data)
294
310
295 def handle_stdin_request(self, timeout=0.1):
311 def handle_stdin_request(self, msg_id, timeout=0.1):
296 """ Method to capture raw_input
312 """ Method to capture raw_input
297 """
313 """
298 msg_rep = self.client.stdin_channel.get_msg(timeout=timeout)
314 msg_rep = self.client.stdin_channel.get_msg(timeout=timeout)
299 # in case any iopub came while we were waiting:
315 # in case any iopub came while we were waiting:
300 self.handle_iopub()
316 self.handle_iopub(msg_id)
301 if self.session_id == msg_rep["parent_header"].get("session"):
317 if msg_id == msg_rep["parent_header"].get("msg_id"):
302 # wrap SIGINT handler
318 # wrap SIGINT handler
303 real_handler = signal.getsignal(signal.SIGINT)
319 real_handler = signal.getsignal(signal.SIGINT)
304 def double_int(sig,frame):
320 def double_int(sig,frame):
305 # call real handler (forwards sigint to kernel),
321 # call real handler (forwards sigint to kernel),
306 # then raise local interrupt, stopping local raw_input
322 # then raise local interrupt, stopping local raw_input
307 real_handler(sig,frame)
323 real_handler(sig,frame)
308 raise KeyboardInterrupt
324 raise KeyboardInterrupt
309 signal.signal(signal.SIGINT, double_int)
325 signal.signal(signal.SIGINT, double_int)
310
326
311 try:
327 try:
312 raw_data = raw_input(msg_rep["content"]["prompt"])
328 raw_data = raw_input(msg_rep["content"]["prompt"])
313 except EOFError:
329 except EOFError:
314 # turn EOFError into EOF character
330 # turn EOFError into EOF character
315 raw_data = '\x04'
331 raw_data = '\x04'
316 except KeyboardInterrupt:
332 except KeyboardInterrupt:
317 sys.stdout.write('\n')
333 sys.stdout.write('\n')
318 return
334 return
319 finally:
335 finally:
320 # restore SIGINT handler
336 # restore SIGINT handler
321 signal.signal(signal.SIGINT, real_handler)
337 signal.signal(signal.SIGINT, real_handler)
322
338
323 # only send stdin reply if there *was not* another request
339 # only send stdin reply if there *was not* another request
324 # or execution finished while we were reading.
340 # or execution finished while we were reading.
325 if not (self.client.stdin_channel.msg_ready() or self.client.shell_channel.msg_ready()):
341 if not (self.client.stdin_channel.msg_ready() or self.client.shell_channel.msg_ready()):
326 self.client.stdin_channel.input(raw_data)
342 self.client.stdin_channel.input(raw_data)
327
343
328 def mainloop(self, display_banner=False):
344 def mainloop(self, display_banner=False):
329 while True:
345 while True:
330 try:
346 try:
331 self.interact(display_banner=display_banner)
347 self.interact(display_banner=display_banner)
332 #self.interact_with_readline()
348 #self.interact_with_readline()
333 # XXX for testing of a readline-decoupled repl loop, call
349 # XXX for testing of a readline-decoupled repl loop, call
334 # interact_with_readline above
350 # interact_with_readline above
335 break
351 break
336 except KeyboardInterrupt:
352 except KeyboardInterrupt:
337 # this should not be necessary, but KeyboardInterrupt
353 # this should not be necessary, but KeyboardInterrupt
338 # handling seems rather unpredictable...
354 # handling seems rather unpredictable...
339 self.write("\nKeyboardInterrupt in interact()\n")
355 self.write("\nKeyboardInterrupt in interact()\n")
340
356
341 def wait_for_kernel(self, timeout=None):
357 def wait_for_kernel(self, timeout=None):
342 """method to wait for a kernel to be ready"""
358 """method to wait for a kernel to be ready"""
343 tic = time.time()
359 tic = time.time()
344 self.client.hb_channel.unpause()
360 self.client.hb_channel.unpause()
345 while True:
361 while True:
346 self.run_cell('1', False)
362 self.run_cell('1', False)
347 if self.client.hb_channel.is_beating():
363 if self.client.hb_channel.is_beating():
348 # heart failure was not the reason this returned
364 # heart failure was not the reason this returned
349 break
365 break
350 else:
366 else:
351 # heart failed
367 # heart failed
352 if timeout is not None and (time.time() - tic) > timeout:
368 if timeout is not None and (time.time() - tic) > timeout:
353 return False
369 return False
354 return True
370 return True
355
371
356 def interact(self, display_banner=None):
372 def interact(self, display_banner=None):
357 """Closely emulate the interactive Python console."""
373 """Closely emulate the interactive Python console."""
358
374
359 # batch run -> do not interact
375 # batch run -> do not interact
360 if self.exit_now:
376 if self.exit_now:
361 return
377 return
362
378
363 if display_banner is None:
379 if display_banner is None:
364 display_banner = self.display_banner
380 display_banner = self.display_banner
365
381
366 if isinstance(display_banner, basestring):
382 if isinstance(display_banner, basestring):
367 self.show_banner(display_banner)
383 self.show_banner(display_banner)
368 elif display_banner:
384 elif display_banner:
369 self.show_banner()
385 self.show_banner()
370
386
371 more = False
387 more = False
372
388
373 # run a non-empty no-op, so that we don't get a prompt until
389 # run a non-empty no-op, so that we don't get a prompt until
374 # we know the kernel is ready. This keeps the connection
390 # we know the kernel is ready. This keeps the connection
375 # message above the first prompt.
391 # message above the first prompt.
376 if not self.wait_for_kernel(3):
392 if not self.wait_for_kernel(3):
377 error("Kernel did not respond\n")
393 error("Kernel did not respond\n")
378 return
394 return
379
395
380 if self.has_readline:
396 if self.has_readline:
381 self.readline_startup_hook(self.pre_readline)
397 self.readline_startup_hook(self.pre_readline)
382 hlen_b4_cell = self.readline.get_current_history_length()
398 hlen_b4_cell = self.readline.get_current_history_length()
383 else:
399 else:
384 hlen_b4_cell = 0
400 hlen_b4_cell = 0
385 # exit_now is set by a call to %Exit or %Quit, through the
401 # exit_now is set by a call to %Exit or %Quit, through the
386 # ask_exit callback.
402 # ask_exit callback.
387
403
388 while not self.exit_now:
404 while not self.exit_now:
389 if not self.client.is_alive():
405 if not self.client.is_alive():
390 # kernel died, prompt for action or exit
406 # kernel died, prompt for action or exit
391
407
392 action = "restart" if self.manager else "wait for restart"
408 action = "restart" if self.manager else "wait for restart"
393 ans = self.ask_yes_no("kernel died, %s ([y]/n)?" % action, default='y')
409 ans = self.ask_yes_no("kernel died, %s ([y]/n)?" % action, default='y')
394 if ans:
410 if ans:
395 if self.manager:
411 if self.manager:
396 self.manager.restart_kernel(True)
412 self.manager.restart_kernel(True)
397 self.wait_for_kernel(3)
413 self.wait_for_kernel(3)
398 else:
414 else:
399 self.exit_now = True
415 self.exit_now = True
400 continue
416 continue
401 try:
417 try:
402 # protect prompt block from KeyboardInterrupt
418 # protect prompt block from KeyboardInterrupt
403 # when sitting on ctrl-C
419 # when sitting on ctrl-C
404 self.hooks.pre_prompt_hook()
420 self.hooks.pre_prompt_hook()
405 if more:
421 if more:
406 try:
422 try:
407 prompt = self.prompt_manager.render('in2')
423 prompt = self.prompt_manager.render('in2')
408 except Exception:
424 except Exception:
409 self.showtraceback()
425 self.showtraceback()
410 if self.autoindent:
426 if self.autoindent:
411 self.rl_do_indent = True
427 self.rl_do_indent = True
412
428
413 else:
429 else:
414 try:
430 try:
415 prompt = self.separate_in + self.prompt_manager.render('in')
431 prompt = self.separate_in + self.prompt_manager.render('in')
416 except Exception:
432 except Exception:
417 self.showtraceback()
433 self.showtraceback()
418
434
419 line = self.raw_input(prompt)
435 line = self.raw_input(prompt)
420 if self.exit_now:
436 if self.exit_now:
421 # quick exit on sys.std[in|out] close
437 # quick exit on sys.std[in|out] close
422 break
438 break
423 if self.autoindent:
439 if self.autoindent:
424 self.rl_do_indent = False
440 self.rl_do_indent = False
425
441
426 except KeyboardInterrupt:
442 except KeyboardInterrupt:
427 #double-guard against keyboardinterrupts during kbdint handling
443 #double-guard against keyboardinterrupts during kbdint handling
428 try:
444 try:
429 self.write('\nKeyboardInterrupt\n')
445 self.write('\nKeyboardInterrupt\n')
430 source_raw = self.input_splitter.source_raw_reset()[1]
446 source_raw = self.input_splitter.source_raw_reset()[1]
431 hlen_b4_cell = self._replace_rlhist_multiline(source_raw, hlen_b4_cell)
447 hlen_b4_cell = self._replace_rlhist_multiline(source_raw, hlen_b4_cell)
432 more = False
448 more = False
433 except KeyboardInterrupt:
449 except KeyboardInterrupt:
434 pass
450 pass
435 except EOFError:
451 except EOFError:
436 if self.autoindent:
452 if self.autoindent:
437 self.rl_do_indent = False
453 self.rl_do_indent = False
438 if self.has_readline:
454 if self.has_readline:
439 self.readline_startup_hook(None)
455 self.readline_startup_hook(None)
440 self.write('\n')
456 self.write('\n')
441 self.exit()
457 self.exit()
442 except bdb.BdbQuit:
458 except bdb.BdbQuit:
443 warn('The Python debugger has exited with a BdbQuit exception.\n'
459 warn('The Python debugger has exited with a BdbQuit exception.\n'
444 'Because of how pdb handles the stack, it is impossible\n'
460 'Because of how pdb handles the stack, it is impossible\n'
445 'for IPython to properly format this particular exception.\n'
461 'for IPython to properly format this particular exception.\n'
446 'IPython will resume normal operation.')
462 'IPython will resume normal operation.')
447 except:
463 except:
448 # exceptions here are VERY RARE, but they can be triggered
464 # exceptions here are VERY RARE, but they can be triggered
449 # asynchronously by signal handlers, for example.
465 # asynchronously by signal handlers, for example.
450 self.showtraceback()
466 self.showtraceback()
451 else:
467 else:
452 self.input_splitter.push(line)
468 self.input_splitter.push(line)
453 more = self.input_splitter.push_accepts_more()
469 more = self.input_splitter.push_accepts_more()
454 if (self.SyntaxTB.last_syntax_error and
470 if (self.SyntaxTB.last_syntax_error and
455 self.autoedit_syntax):
471 self.autoedit_syntax):
456 self.edit_syntax_error()
472 self.edit_syntax_error()
457 if not more:
473 if not more:
458 source_raw = self.input_splitter.source_raw_reset()[1]
474 source_raw = self.input_splitter.source_raw_reset()[1]
459 hlen_b4_cell = self._replace_rlhist_multiline(source_raw, hlen_b4_cell)
475 hlen_b4_cell = self._replace_rlhist_multiline(source_raw, hlen_b4_cell)
460 self.run_cell(source_raw)
476 self.run_cell(source_raw)
461
477
462
478
463 # Turn off the exit flag, so the mainloop can be restarted if desired
479 # Turn off the exit flag, so the mainloop can be restarted if desired
464 self.exit_now = False
480 self.exit_now = False
General Comments 0
You need to be logged in to leave comments. Login now