##// END OF EJS Templates
move paging style switching into console_widget
Paul Ivanov -
Show More
@@ -1,1878 +1,1904
1 """ An abstract base class for console-type widgets.
1 """ An abstract base class for console-type widgets.
2 """
2 """
3 #-----------------------------------------------------------------------------
3 #-----------------------------------------------------------------------------
4 # Imports
4 # Imports
5 #-----------------------------------------------------------------------------
5 #-----------------------------------------------------------------------------
6
6
7 # Standard library imports
7 # Standard library imports
8 import os
8 import os
9 from os.path import commonprefix
9 from os.path import commonprefix
10 import re
10 import re
11 import sys
11 import sys
12 from textwrap import dedent
12 from textwrap import dedent
13 from unicodedata import category
13 from unicodedata import category
14
14
15 # System library imports
15 # System library imports
16 from IPython.external.qt import QtCore, QtGui
16 from IPython.external.qt import QtCore, QtGui
17
17
18 # Local imports
18 # Local imports
19 from IPython.config.configurable import LoggingConfigurable
19 from IPython.config.configurable import LoggingConfigurable
20 from IPython.frontend.qt.rich_text import HtmlExporter
20 from IPython.frontend.qt.rich_text import HtmlExporter
21 from IPython.frontend.qt.util import MetaQObjectHasTraits, get_font
21 from IPython.frontend.qt.util import MetaQObjectHasTraits, get_font
22 from IPython.utils.text import columnize
22 from IPython.utils.text import columnize
23 from IPython.utils.traitlets import Bool, Enum, Integer, Unicode
23 from IPython.utils.traitlets import Bool, Enum, Integer, Unicode
24 from ansi_code_processor import QtAnsiCodeProcessor
24 from ansi_code_processor import QtAnsiCodeProcessor
25 from completion_widget import CompletionWidget
25 from completion_widget import CompletionWidget
26 from kill_ring import QtKillRing
26 from kill_ring import QtKillRing
27
27
28 #-----------------------------------------------------------------------------
28 #-----------------------------------------------------------------------------
29 # Functions
29 # Functions
30 #-----------------------------------------------------------------------------
30 #-----------------------------------------------------------------------------
31
31
32 def is_letter_or_number(char):
32 def is_letter_or_number(char):
33 """ Returns whether the specified unicode character is a letter or a number.
33 """ Returns whether the specified unicode character is a letter or a number.
34 """
34 """
35 cat = category(char)
35 cat = category(char)
36 return cat.startswith('L') or cat.startswith('N')
36 return cat.startswith('L') or cat.startswith('N')
37
37
38 #-----------------------------------------------------------------------------
38 #-----------------------------------------------------------------------------
39 # Classes
39 # Classes
40 #-----------------------------------------------------------------------------
40 #-----------------------------------------------------------------------------
41
41
42 class ConsoleWidget(LoggingConfigurable, QtGui.QWidget):
42 class ConsoleWidget(LoggingConfigurable, QtGui.QWidget):
43 """ An abstract base class for console-type widgets. This class has
43 """ An abstract base class for console-type widgets. This class has
44 functionality for:
44 functionality for:
45
45
46 * Maintaining a prompt and editing region
46 * Maintaining a prompt and editing region
47 * Providing the traditional Unix-style console keyboard shortcuts
47 * Providing the traditional Unix-style console keyboard shortcuts
48 * Performing tab completion
48 * Performing tab completion
49 * Paging text
49 * Paging text
50 * Handling ANSI escape codes
50 * Handling ANSI escape codes
51
51
52 ConsoleWidget also provides a number of utility methods that will be
52 ConsoleWidget also provides a number of utility methods that will be
53 convenient to implementors of a console-style widget.
53 convenient to implementors of a console-style widget.
54 """
54 """
55 __metaclass__ = MetaQObjectHasTraits
55 __metaclass__ = MetaQObjectHasTraits
56
56
57 #------ Configuration ------------------------------------------------------
57 #------ Configuration ------------------------------------------------------
58
58
59 ansi_codes = Bool(True, config=True,
59 ansi_codes = Bool(True, config=True,
60 help="Whether to process ANSI escape codes."
60 help="Whether to process ANSI escape codes."
61 )
61 )
62 buffer_size = Integer(500, config=True,
62 buffer_size = Integer(500, config=True,
63 help="""
63 help="""
64 The maximum number of lines of text before truncation. Specifying a
64 The maximum number of lines of text before truncation. Specifying a
65 non-positive number disables text truncation (not recommended).
65 non-positive number disables text truncation (not recommended).
66 """
66 """
67 )
67 )
68 gui_completion = Bool(False, config=True,
68 gui_completion = Bool(False, config=True,
69 help="""
69 help="""
70 Use a list widget instead of plain text output for tab completion.
70 Use a list widget instead of plain text output for tab completion.
71 """
71 """
72 )
72 )
73 # NOTE: this value can only be specified during initialization.
73 # NOTE: this value can only be specified during initialization.
74 kind = Enum(['plain', 'rich'], default_value='plain', config=True,
74 kind = Enum(['plain', 'rich'], default_value='plain', config=True,
75 help="""
75 help="""
76 The type of underlying text widget to use. Valid values are 'plain',
76 The type of underlying text widget to use. Valid values are 'plain',
77 which specifies a QPlainTextEdit, and 'rich', which specifies a
77 which specifies a QPlainTextEdit, and 'rich', which specifies a
78 QTextEdit.
78 QTextEdit.
79 """
79 """
80 )
80 )
81 # NOTE: this value can only be specified during initialization.
81 # NOTE: this value can only be specified during initialization.
82 paging = Enum(['inside', 'hsplit', 'vsplit', 'custom', 'none'],
82 paging = Enum(['inside', 'hsplit', 'vsplit', 'custom', 'none'],
83 default_value='inside', config=True,
83 default_value='inside', config=True,
84 help="""
84 help="""
85 The type of paging to use. Valid values are:
85 The type of paging to use. Valid values are:
86
86
87 'inside' : The widget pages like a traditional terminal.
87 'inside' : The widget pages like a traditional terminal.
88 'hsplit' : When paging is requested, the widget is split
88 'hsplit' : When paging is requested, the widget is split
89 horizontally. The top pane contains the console, and the
89 horizontally. The top pane contains the console, and the
90 bottom pane contains the paged text.
90 bottom pane contains the paged text.
91 'vsplit' : Similar to 'hsplit', except that a vertical splitter
91 'vsplit' : Similar to 'hsplit', except that a vertical splitter
92 used.
92 used.
93 'custom' : No action is taken by the widget beyond emitting a
93 'custom' : No action is taken by the widget beyond emitting a
94 'custom_page_requested(str)' signal.
94 'custom_page_requested(str)' signal.
95 'none' : The text is written directly to the console.
95 'none' : The text is written directly to the console.
96 """)
96 """)
97
97
98 font_family = Unicode(config=True,
98 font_family = Unicode(config=True,
99 help="""The font family to use for the console.
99 help="""The font family to use for the console.
100 On OSX this defaults to Monaco, on Windows the default is
100 On OSX this defaults to Monaco, on Windows the default is
101 Consolas with fallback of Courier, and on other platforms
101 Consolas with fallback of Courier, and on other platforms
102 the default is Monospace.
102 the default is Monospace.
103 """)
103 """)
104 def _font_family_default(self):
104 def _font_family_default(self):
105 if sys.platform == 'win32':
105 if sys.platform == 'win32':
106 # Consolas ships with Vista/Win7, fallback to Courier if needed
106 # Consolas ships with Vista/Win7, fallback to Courier if needed
107 return 'Consolas'
107 return 'Consolas'
108 elif sys.platform == 'darwin':
108 elif sys.platform == 'darwin':
109 # OSX always has Monaco, no need for a fallback
109 # OSX always has Monaco, no need for a fallback
110 return 'Monaco'
110 return 'Monaco'
111 else:
111 else:
112 # Monospace should always exist, no need for a fallback
112 # Monospace should always exist, no need for a fallback
113 return 'Monospace'
113 return 'Monospace'
114
114
115 font_size = Integer(config=True,
115 font_size = Integer(config=True,
116 help="""The font size. If unconfigured, Qt will be entrusted
116 help="""The font size. If unconfigured, Qt will be entrusted
117 with the size of the font.
117 with the size of the font.
118 """)
118 """)
119
119
120 # Whether to override ShortcutEvents for the keybindings defined by this
120 # Whether to override ShortcutEvents for the keybindings defined by this
121 # widget (Ctrl+n, Ctrl+a, etc). Enable this if you want this widget to take
121 # widget (Ctrl+n, Ctrl+a, etc). Enable this if you want this widget to take
122 # priority (when it has focus) over, e.g., window-level menu shortcuts.
122 # priority (when it has focus) over, e.g., window-level menu shortcuts.
123 override_shortcuts = Bool(False)
123 override_shortcuts = Bool(False)
124
124
125 #------ Signals ------------------------------------------------------------
125 #------ Signals ------------------------------------------------------------
126
126
127 # Signals that indicate ConsoleWidget state.
127 # Signals that indicate ConsoleWidget state.
128 copy_available = QtCore.Signal(bool)
128 copy_available = QtCore.Signal(bool)
129 redo_available = QtCore.Signal(bool)
129 redo_available = QtCore.Signal(bool)
130 undo_available = QtCore.Signal(bool)
130 undo_available = QtCore.Signal(bool)
131
131
132 # Signal emitted when paging is needed and the paging style has been
132 # Signal emitted when paging is needed and the paging style has been
133 # specified as 'custom'.
133 # specified as 'custom'.
134 custom_page_requested = QtCore.Signal(object)
134 custom_page_requested = QtCore.Signal(object)
135
135
136 # Signal emitted when the font is changed.
136 # Signal emitted when the font is changed.
137 font_changed = QtCore.Signal(QtGui.QFont)
137 font_changed = QtCore.Signal(QtGui.QFont)
138
138
139 #------ Protected class variables ------------------------------------------
139 #------ Protected class variables ------------------------------------------
140
140
141 # control handles
141 # control handles
142 _control = None
142 _control = None
143 _page_control = None
143 _page_control = None
144 _splitter = None
144 _splitter = None
145
145
146 # When the control key is down, these keys are mapped.
146 # When the control key is down, these keys are mapped.
147 _ctrl_down_remap = { QtCore.Qt.Key_B : QtCore.Qt.Key_Left,
147 _ctrl_down_remap = { QtCore.Qt.Key_B : QtCore.Qt.Key_Left,
148 QtCore.Qt.Key_F : QtCore.Qt.Key_Right,
148 QtCore.Qt.Key_F : QtCore.Qt.Key_Right,
149 QtCore.Qt.Key_A : QtCore.Qt.Key_Home,
149 QtCore.Qt.Key_A : QtCore.Qt.Key_Home,
150 QtCore.Qt.Key_P : QtCore.Qt.Key_Up,
150 QtCore.Qt.Key_P : QtCore.Qt.Key_Up,
151 QtCore.Qt.Key_N : QtCore.Qt.Key_Down,
151 QtCore.Qt.Key_N : QtCore.Qt.Key_Down,
152 QtCore.Qt.Key_H : QtCore.Qt.Key_Backspace, }
152 QtCore.Qt.Key_H : QtCore.Qt.Key_Backspace, }
153 if not sys.platform == 'darwin':
153 if not sys.platform == 'darwin':
154 # On OS X, Ctrl-E already does the right thing, whereas End moves the
154 # On OS X, Ctrl-E already does the right thing, whereas End moves the
155 # cursor to the bottom of the buffer.
155 # cursor to the bottom of the buffer.
156 _ctrl_down_remap[QtCore.Qt.Key_E] = QtCore.Qt.Key_End
156 _ctrl_down_remap[QtCore.Qt.Key_E] = QtCore.Qt.Key_End
157
157
158 # The shortcuts defined by this widget. We need to keep track of these to
158 # The shortcuts defined by this widget. We need to keep track of these to
159 # support 'override_shortcuts' above.
159 # support 'override_shortcuts' above.
160 _shortcuts = set(_ctrl_down_remap.keys() +
160 _shortcuts = set(_ctrl_down_remap.keys() +
161 [ QtCore.Qt.Key_C, QtCore.Qt.Key_G, QtCore.Qt.Key_O,
161 [ QtCore.Qt.Key_C, QtCore.Qt.Key_G, QtCore.Qt.Key_O,
162 QtCore.Qt.Key_V ])
162 QtCore.Qt.Key_V ])
163
163
164 #---------------------------------------------------------------------------
164 #---------------------------------------------------------------------------
165 # 'QObject' interface
165 # 'QObject' interface
166 #---------------------------------------------------------------------------
166 #---------------------------------------------------------------------------
167
167
168 def __init__(self, parent=None, **kw):
168 def __init__(self, parent=None, **kw):
169 """ Create a ConsoleWidget.
169 """ Create a ConsoleWidget.
170
170
171 Parameters:
171 Parameters:
172 -----------
172 -----------
173 parent : QWidget, optional [default None]
173 parent : QWidget, optional [default None]
174 The parent for this widget.
174 The parent for this widget.
175 """
175 """
176 QtGui.QWidget.__init__(self, parent)
176 QtGui.QWidget.__init__(self, parent)
177 LoggingConfigurable.__init__(self, **kw)
177 LoggingConfigurable.__init__(self, **kw)
178
178
179 # While scrolling the pager on Mac OS X, it tears badly. The
179 # While scrolling the pager on Mac OS X, it tears badly. The
180 # NativeGesture is platform and perhaps build-specific hence
180 # NativeGesture is platform and perhaps build-specific hence
181 # we take adequate precautions here.
181 # we take adequate precautions here.
182 self._pager_scroll_events = [QtCore.QEvent.Wheel]
182 self._pager_scroll_events = [QtCore.QEvent.Wheel]
183 if hasattr(QtCore.QEvent, 'NativeGesture'):
183 if hasattr(QtCore.QEvent, 'NativeGesture'):
184 self._pager_scroll_events.append(QtCore.QEvent.NativeGesture)
184 self._pager_scroll_events.append(QtCore.QEvent.NativeGesture)
185
185
186 # Create the layout and underlying text widget.
186 # Create the layout and underlying text widget.
187 layout = QtGui.QStackedLayout(self)
187 layout = QtGui.QStackedLayout(self)
188 layout.setContentsMargins(0, 0, 0, 0)
188 layout.setContentsMargins(0, 0, 0, 0)
189 self._control = self._create_control()
189 self._control = self._create_control()
190 if self.paging in ('hsplit', 'vsplit'):
190 if self.paging in ('hsplit', 'vsplit'):
191 self._splitter = QtGui.QSplitter()
191 self._splitter = QtGui.QSplitter()
192 if self.paging == 'hsplit':
192 if self.paging == 'hsplit':
193 self._splitter.setOrientation(QtCore.Qt.Horizontal)
193 self._splitter.setOrientation(QtCore.Qt.Horizontal)
194 else:
194 else:
195 self._splitter.setOrientation(QtCore.Qt.Vertical)
195 self._splitter.setOrientation(QtCore.Qt.Vertical)
196 self._splitter.addWidget(self._control)
196 self._splitter.addWidget(self._control)
197 layout.addWidget(self._splitter)
197 layout.addWidget(self._splitter)
198 else:
198 else:
199 layout.addWidget(self._control)
199 layout.addWidget(self._control)
200
200
201 # Create the paging widget, if necessary.
201 # Create the paging widget, if necessary.
202 if self.paging in ('inside', 'hsplit', 'vsplit'):
202 if self.paging in ('inside', 'hsplit', 'vsplit'):
203 self._page_control = self._create_page_control()
203 self._page_control = self._create_page_control()
204 if self._splitter:
204 if self._splitter:
205 self._page_control.hide()
205 self._page_control.hide()
206 self._splitter.addWidget(self._page_control)
206 self._splitter.addWidget(self._page_control)
207 else:
207 else:
208 layout.addWidget(self._page_control)
208 layout.addWidget(self._page_control)
209
209
210 # Initialize protected variables. Some variables contain useful state
210 # Initialize protected variables. Some variables contain useful state
211 # information for subclasses; they should be considered read-only.
211 # information for subclasses; they should be considered read-only.
212 self._append_before_prompt_pos = 0
212 self._append_before_prompt_pos = 0
213 self._ansi_processor = QtAnsiCodeProcessor()
213 self._ansi_processor = QtAnsiCodeProcessor()
214 self._completion_widget = CompletionWidget(self._control)
214 self._completion_widget = CompletionWidget(self._control)
215 self._continuation_prompt = '> '
215 self._continuation_prompt = '> '
216 self._continuation_prompt_html = None
216 self._continuation_prompt_html = None
217 self._executing = False
217 self._executing = False
218 self._filter_drag = False
218 self._filter_drag = False
219 self._filter_resize = False
219 self._filter_resize = False
220 self._html_exporter = HtmlExporter(self._control)
220 self._html_exporter = HtmlExporter(self._control)
221 self._input_buffer_executing = ''
221 self._input_buffer_executing = ''
222 self._input_buffer_pending = ''
222 self._input_buffer_pending = ''
223 self._kill_ring = QtKillRing(self._control)
223 self._kill_ring = QtKillRing(self._control)
224 self._prompt = ''
224 self._prompt = ''
225 self._prompt_html = None
225 self._prompt_html = None
226 self._prompt_pos = 0
226 self._prompt_pos = 0
227 self._prompt_sep = ''
227 self._prompt_sep = ''
228 self._reading = False
228 self._reading = False
229 self._reading_callback = None
229 self._reading_callback = None
230 self._tab_width = 8
230 self._tab_width = 8
231 self._text_completing_pos = 0
231 self._text_completing_pos = 0
232
232
233 # Set a monospaced font.
233 # Set a monospaced font.
234 self.reset_font()
234 self.reset_font()
235
235
236 # Configure actions.
236 # Configure actions.
237 action = QtGui.QAction('Print', None)
237 action = QtGui.QAction('Print', None)
238 action.setEnabled(True)
238 action.setEnabled(True)
239 printkey = QtGui.QKeySequence(QtGui.QKeySequence.Print)
239 printkey = QtGui.QKeySequence(QtGui.QKeySequence.Print)
240 if printkey.matches("Ctrl+P") and sys.platform != 'darwin':
240 if printkey.matches("Ctrl+P") and sys.platform != 'darwin':
241 # Only override the default if there is a collision.
241 # Only override the default if there is a collision.
242 # Qt ctrl = cmd on OSX, so the match gets a false positive on OSX.
242 # Qt ctrl = cmd on OSX, so the match gets a false positive on OSX.
243 printkey = "Ctrl+Shift+P"
243 printkey = "Ctrl+Shift+P"
244 action.setShortcut(printkey)
244 action.setShortcut(printkey)
245 action.setShortcutContext(QtCore.Qt.WidgetWithChildrenShortcut)
245 action.setShortcutContext(QtCore.Qt.WidgetWithChildrenShortcut)
246 action.triggered.connect(self.print_)
246 action.triggered.connect(self.print_)
247 self.addAction(action)
247 self.addAction(action)
248 self.print_action = action
248 self.print_action = action
249
249
250 action = QtGui.QAction('Save as HTML/XML', None)
250 action = QtGui.QAction('Save as HTML/XML', None)
251 action.setShortcut(QtGui.QKeySequence.Save)
251 action.setShortcut(QtGui.QKeySequence.Save)
252 action.setShortcutContext(QtCore.Qt.WidgetWithChildrenShortcut)
252 action.setShortcutContext(QtCore.Qt.WidgetWithChildrenShortcut)
253 action.triggered.connect(self.export_html)
253 action.triggered.connect(self.export_html)
254 self.addAction(action)
254 self.addAction(action)
255 self.export_action = action
255 self.export_action = action
256
256
257 action = QtGui.QAction('Select All', None)
257 action = QtGui.QAction('Select All', None)
258 action.setEnabled(True)
258 action.setEnabled(True)
259 selectall = QtGui.QKeySequence(QtGui.QKeySequence.SelectAll)
259 selectall = QtGui.QKeySequence(QtGui.QKeySequence.SelectAll)
260 if selectall.matches("Ctrl+A") and sys.platform != 'darwin':
260 if selectall.matches("Ctrl+A") and sys.platform != 'darwin':
261 # Only override the default if there is a collision.
261 # Only override the default if there is a collision.
262 # Qt ctrl = cmd on OSX, so the match gets a false positive on OSX.
262 # Qt ctrl = cmd on OSX, so the match gets a false positive on OSX.
263 selectall = "Ctrl+Shift+A"
263 selectall = "Ctrl+Shift+A"
264 action.setShortcut(selectall)
264 action.setShortcut(selectall)
265 action.setShortcutContext(QtCore.Qt.WidgetWithChildrenShortcut)
265 action.setShortcutContext(QtCore.Qt.WidgetWithChildrenShortcut)
266 action.triggered.connect(self.select_all)
266 action.triggered.connect(self.select_all)
267 self.addAction(action)
267 self.addAction(action)
268 self.select_all_action = action
268 self.select_all_action = action
269
269
270 self.increase_font_size = QtGui.QAction("Bigger Font",
270 self.increase_font_size = QtGui.QAction("Bigger Font",
271 self,
271 self,
272 shortcut=QtGui.QKeySequence.ZoomIn,
272 shortcut=QtGui.QKeySequence.ZoomIn,
273 shortcutContext=QtCore.Qt.WidgetWithChildrenShortcut,
273 shortcutContext=QtCore.Qt.WidgetWithChildrenShortcut,
274 statusTip="Increase the font size by one point",
274 statusTip="Increase the font size by one point",
275 triggered=self._increase_font_size)
275 triggered=self._increase_font_size)
276 self.addAction(self.increase_font_size)
276 self.addAction(self.increase_font_size)
277
277
278 self.decrease_font_size = QtGui.QAction("Smaller Font",
278 self.decrease_font_size = QtGui.QAction("Smaller Font",
279 self,
279 self,
280 shortcut=QtGui.QKeySequence.ZoomOut,
280 shortcut=QtGui.QKeySequence.ZoomOut,
281 shortcutContext=QtCore.Qt.WidgetWithChildrenShortcut,
281 shortcutContext=QtCore.Qt.WidgetWithChildrenShortcut,
282 statusTip="Decrease the font size by one point",
282 statusTip="Decrease the font size by one point",
283 triggered=self._decrease_font_size)
283 triggered=self._decrease_font_size)
284 self.addAction(self.decrease_font_size)
284 self.addAction(self.decrease_font_size)
285
285
286 self.reset_font_size = QtGui.QAction("Normal Font",
286 self.reset_font_size = QtGui.QAction("Normal Font",
287 self,
287 self,
288 shortcut="Ctrl+0",
288 shortcut="Ctrl+0",
289 shortcutContext=QtCore.Qt.WidgetWithChildrenShortcut,
289 shortcutContext=QtCore.Qt.WidgetWithChildrenShortcut,
290 statusTip="Restore the Normal font size",
290 statusTip="Restore the Normal font size",
291 triggered=self.reset_font)
291 triggered=self.reset_font)
292 self.addAction(self.reset_font_size)
292 self.addAction(self.reset_font_size)
293
293
294
294
295
295
296 def eventFilter(self, obj, event):
296 def eventFilter(self, obj, event):
297 """ Reimplemented to ensure a console-like behavior in the underlying
297 """ Reimplemented to ensure a console-like behavior in the underlying
298 text widgets.
298 text widgets.
299 """
299 """
300 etype = event.type()
300 etype = event.type()
301 if etype == QtCore.QEvent.KeyPress:
301 if etype == QtCore.QEvent.KeyPress:
302
302
303 # Re-map keys for all filtered widgets.
303 # Re-map keys for all filtered widgets.
304 key = event.key()
304 key = event.key()
305 if self._control_key_down(event.modifiers()) and \
305 if self._control_key_down(event.modifiers()) and \
306 key in self._ctrl_down_remap:
306 key in self._ctrl_down_remap:
307 new_event = QtGui.QKeyEvent(QtCore.QEvent.KeyPress,
307 new_event = QtGui.QKeyEvent(QtCore.QEvent.KeyPress,
308 self._ctrl_down_remap[key],
308 self._ctrl_down_remap[key],
309 QtCore.Qt.NoModifier)
309 QtCore.Qt.NoModifier)
310 QtGui.qApp.sendEvent(obj, new_event)
310 QtGui.qApp.sendEvent(obj, new_event)
311 return True
311 return True
312
312
313 elif obj == self._control:
313 elif obj == self._control:
314 return self._event_filter_console_keypress(event)
314 return self._event_filter_console_keypress(event)
315
315
316 elif obj == self._page_control:
316 elif obj == self._page_control:
317 return self._event_filter_page_keypress(event)
317 return self._event_filter_page_keypress(event)
318
318
319 # Make middle-click paste safe.
319 # Make middle-click paste safe.
320 elif etype == QtCore.QEvent.MouseButtonRelease and \
320 elif etype == QtCore.QEvent.MouseButtonRelease and \
321 event.button() == QtCore.Qt.MidButton and \
321 event.button() == QtCore.Qt.MidButton and \
322 obj == self._control.viewport():
322 obj == self._control.viewport():
323 cursor = self._control.cursorForPosition(event.pos())
323 cursor = self._control.cursorForPosition(event.pos())
324 self._control.setTextCursor(cursor)
324 self._control.setTextCursor(cursor)
325 self.paste(QtGui.QClipboard.Selection)
325 self.paste(QtGui.QClipboard.Selection)
326 return True
326 return True
327
327
328 # Manually adjust the scrollbars *after* a resize event is dispatched.
328 # Manually adjust the scrollbars *after* a resize event is dispatched.
329 elif etype == QtCore.QEvent.Resize and not self._filter_resize:
329 elif etype == QtCore.QEvent.Resize and not self._filter_resize:
330 self._filter_resize = True
330 self._filter_resize = True
331 QtGui.qApp.sendEvent(obj, event)
331 QtGui.qApp.sendEvent(obj, event)
332 self._adjust_scrollbars()
332 self._adjust_scrollbars()
333 self._filter_resize = False
333 self._filter_resize = False
334 return True
334 return True
335
335
336 # Override shortcuts for all filtered widgets.
336 # Override shortcuts for all filtered widgets.
337 elif etype == QtCore.QEvent.ShortcutOverride and \
337 elif etype == QtCore.QEvent.ShortcutOverride and \
338 self.override_shortcuts and \
338 self.override_shortcuts and \
339 self._control_key_down(event.modifiers()) and \
339 self._control_key_down(event.modifiers()) and \
340 event.key() in self._shortcuts:
340 event.key() in self._shortcuts:
341 event.accept()
341 event.accept()
342
342
343 # Ensure that drags are safe. The problem is that the drag starting
343 # Ensure that drags are safe. The problem is that the drag starting
344 # logic, which determines whether the drag is a Copy or Move, is locked
344 # logic, which determines whether the drag is a Copy or Move, is locked
345 # down in QTextControl. If the widget is editable, which it must be if
345 # down in QTextControl. If the widget is editable, which it must be if
346 # we're not executing, the drag will be a Move. The following hack
346 # we're not executing, the drag will be a Move. The following hack
347 # prevents QTextControl from deleting the text by clearing the selection
347 # prevents QTextControl from deleting the text by clearing the selection
348 # when a drag leave event originating from this widget is dispatched.
348 # when a drag leave event originating from this widget is dispatched.
349 # The fact that we have to clear the user's selection is unfortunate,
349 # The fact that we have to clear the user's selection is unfortunate,
350 # but the alternative--trying to prevent Qt from using its hardwired
350 # but the alternative--trying to prevent Qt from using its hardwired
351 # drag logic and writing our own--is worse.
351 # drag logic and writing our own--is worse.
352 elif etype == QtCore.QEvent.DragEnter and \
352 elif etype == QtCore.QEvent.DragEnter and \
353 obj == self._control.viewport() and \
353 obj == self._control.viewport() and \
354 event.source() == self._control.viewport():
354 event.source() == self._control.viewport():
355 self._filter_drag = True
355 self._filter_drag = True
356 elif etype == QtCore.QEvent.DragLeave and \
356 elif etype == QtCore.QEvent.DragLeave and \
357 obj == self._control.viewport() and \
357 obj == self._control.viewport() and \
358 self._filter_drag:
358 self._filter_drag:
359 cursor = self._control.textCursor()
359 cursor = self._control.textCursor()
360 cursor.clearSelection()
360 cursor.clearSelection()
361 self._control.setTextCursor(cursor)
361 self._control.setTextCursor(cursor)
362 self._filter_drag = False
362 self._filter_drag = False
363
363
364 # Ensure that drops are safe.
364 # Ensure that drops are safe.
365 elif etype == QtCore.QEvent.Drop and obj == self._control.viewport():
365 elif etype == QtCore.QEvent.Drop and obj == self._control.viewport():
366 cursor = self._control.cursorForPosition(event.pos())
366 cursor = self._control.cursorForPosition(event.pos())
367 if self._in_buffer(cursor.position()):
367 if self._in_buffer(cursor.position()):
368 text = event.mimeData().text()
368 text = event.mimeData().text()
369 self._insert_plain_text_into_buffer(cursor, text)
369 self._insert_plain_text_into_buffer(cursor, text)
370
370
371 # Qt is expecting to get something here--drag and drop occurs in its
371 # Qt is expecting to get something here--drag and drop occurs in its
372 # own event loop. Send a DragLeave event to end it.
372 # own event loop. Send a DragLeave event to end it.
373 QtGui.qApp.sendEvent(obj, QtGui.QDragLeaveEvent())
373 QtGui.qApp.sendEvent(obj, QtGui.QDragLeaveEvent())
374 return True
374 return True
375
375
376 # Handle scrolling of the vsplit pager. This hack attempts to solve
376 # Handle scrolling of the vsplit pager. This hack attempts to solve
377 # problems with tearing of the help text inside the pager window. This
377 # problems with tearing of the help text inside the pager window. This
378 # happens only on Mac OS X with both PySide and PyQt. This fix isn't
378 # happens only on Mac OS X with both PySide and PyQt. This fix isn't
379 # perfect but makes the pager more usable.
379 # perfect but makes the pager more usable.
380 elif etype in self._pager_scroll_events and \
380 elif etype in self._pager_scroll_events and \
381 obj == self._page_control:
381 obj == self._page_control:
382 self._page_control.repaint()
382 self._page_control.repaint()
383 return True
383 return True
384 return super(ConsoleWidget, self).eventFilter(obj, event)
384 return super(ConsoleWidget, self).eventFilter(obj, event)
385
385
386 #---------------------------------------------------------------------------
386 #---------------------------------------------------------------------------
387 # 'QWidget' interface
387 # 'QWidget' interface
388 #---------------------------------------------------------------------------
388 #---------------------------------------------------------------------------
389
389
390 def sizeHint(self):
390 def sizeHint(self):
391 """ Reimplemented to suggest a size that is 80 characters wide and
391 """ Reimplemented to suggest a size that is 80 characters wide and
392 25 lines high.
392 25 lines high.
393 """
393 """
394 font_metrics = QtGui.QFontMetrics(self.font)
394 font_metrics = QtGui.QFontMetrics(self.font)
395 margin = (self._control.frameWidth() +
395 margin = (self._control.frameWidth() +
396 self._control.document().documentMargin()) * 2
396 self._control.document().documentMargin()) * 2
397 style = self.style()
397 style = self.style()
398 splitwidth = style.pixelMetric(QtGui.QStyle.PM_SplitterWidth)
398 splitwidth = style.pixelMetric(QtGui.QStyle.PM_SplitterWidth)
399
399
400 # Note 1: Despite my best efforts to take the various margins into
400 # Note 1: Despite my best efforts to take the various margins into
401 # account, the width is still coming out a bit too small, so we include
401 # account, the width is still coming out a bit too small, so we include
402 # a fudge factor of one character here.
402 # a fudge factor of one character here.
403 # Note 2: QFontMetrics.maxWidth is not used here or anywhere else due
403 # Note 2: QFontMetrics.maxWidth is not used here or anywhere else due
404 # to a Qt bug on certain Mac OS systems where it returns 0.
404 # to a Qt bug on certain Mac OS systems where it returns 0.
405 width = font_metrics.width(' ') * 81 + margin
405 width = font_metrics.width(' ') * 81 + margin
406 width += style.pixelMetric(QtGui.QStyle.PM_ScrollBarExtent)
406 width += style.pixelMetric(QtGui.QStyle.PM_ScrollBarExtent)
407 if self.paging == 'hsplit':
407 if self.paging == 'hsplit':
408 width = width * 2 + splitwidth
408 width = width * 2 + splitwidth
409
409
410 height = font_metrics.height() * 25 + margin
410 height = font_metrics.height() * 25 + margin
411 if self.paging == 'vsplit':
411 if self.paging == 'vsplit':
412 height = height * 2 + splitwidth
412 height = height * 2 + splitwidth
413
413
414 return QtCore.QSize(width, height)
414 return QtCore.QSize(width, height)
415
415
416 #---------------------------------------------------------------------------
416 #---------------------------------------------------------------------------
417 # 'ConsoleWidget' public interface
417 # 'ConsoleWidget' public interface
418 #---------------------------------------------------------------------------
418 #---------------------------------------------------------------------------
419
419
420 def can_copy(self):
420 def can_copy(self):
421 """ Returns whether text can be copied to the clipboard.
421 """ Returns whether text can be copied to the clipboard.
422 """
422 """
423 return self._control.textCursor().hasSelection()
423 return self._control.textCursor().hasSelection()
424
424
425 def can_cut(self):
425 def can_cut(self):
426 """ Returns whether text can be cut to the clipboard.
426 """ Returns whether text can be cut to the clipboard.
427 """
427 """
428 cursor = self._control.textCursor()
428 cursor = self._control.textCursor()
429 return (cursor.hasSelection() and
429 return (cursor.hasSelection() and
430 self._in_buffer(cursor.anchor()) and
430 self._in_buffer(cursor.anchor()) and
431 self._in_buffer(cursor.position()))
431 self._in_buffer(cursor.position()))
432
432
433 def can_paste(self):
433 def can_paste(self):
434 """ Returns whether text can be pasted from the clipboard.
434 """ Returns whether text can be pasted from the clipboard.
435 """
435 """
436 if self._control.textInteractionFlags() & QtCore.Qt.TextEditable:
436 if self._control.textInteractionFlags() & QtCore.Qt.TextEditable:
437 return bool(QtGui.QApplication.clipboard().text())
437 return bool(QtGui.QApplication.clipboard().text())
438 return False
438 return False
439
439
440 def clear(self, keep_input=True):
440 def clear(self, keep_input=True):
441 """ Clear the console.
441 """ Clear the console.
442
442
443 Parameters:
443 Parameters:
444 -----------
444 -----------
445 keep_input : bool, optional (default True)
445 keep_input : bool, optional (default True)
446 If set, restores the old input buffer if a new prompt is written.
446 If set, restores the old input buffer if a new prompt is written.
447 """
447 """
448 if self._executing:
448 if self._executing:
449 self._control.clear()
449 self._control.clear()
450 else:
450 else:
451 if keep_input:
451 if keep_input:
452 input_buffer = self.input_buffer
452 input_buffer = self.input_buffer
453 self._control.clear()
453 self._control.clear()
454 self._show_prompt()
454 self._show_prompt()
455 if keep_input:
455 if keep_input:
456 self.input_buffer = input_buffer
456 self.input_buffer = input_buffer
457
457
458 def copy(self):
458 def copy(self):
459 """ Copy the currently selected text to the clipboard.
459 """ Copy the currently selected text to the clipboard.
460 """
460 """
461 self.layout().currentWidget().copy()
461 self.layout().currentWidget().copy()
462
462
463 def cut(self):
463 def cut(self):
464 """ Copy the currently selected text to the clipboard and delete it
464 """ Copy the currently selected text to the clipboard and delete it
465 if it's inside the input buffer.
465 if it's inside the input buffer.
466 """
466 """
467 self.copy()
467 self.copy()
468 if self.can_cut():
468 if self.can_cut():
469 self._control.textCursor().removeSelectedText()
469 self._control.textCursor().removeSelectedText()
470
470
471 def execute(self, source=None, hidden=False, interactive=False):
471 def execute(self, source=None, hidden=False, interactive=False):
472 """ Executes source or the input buffer, possibly prompting for more
472 """ Executes source or the input buffer, possibly prompting for more
473 input.
473 input.
474
474
475 Parameters:
475 Parameters:
476 -----------
476 -----------
477 source : str, optional
477 source : str, optional
478
478
479 The source to execute. If not specified, the input buffer will be
479 The source to execute. If not specified, the input buffer will be
480 used. If specified and 'hidden' is False, the input buffer will be
480 used. If specified and 'hidden' is False, the input buffer will be
481 replaced with the source before execution.
481 replaced with the source before execution.
482
482
483 hidden : bool, optional (default False)
483 hidden : bool, optional (default False)
484
484
485 If set, no output will be shown and the prompt will not be modified.
485 If set, no output will be shown and the prompt will not be modified.
486 In other words, it will be completely invisible to the user that
486 In other words, it will be completely invisible to the user that
487 an execution has occurred.
487 an execution has occurred.
488
488
489 interactive : bool, optional (default False)
489 interactive : bool, optional (default False)
490
490
491 Whether the console is to treat the source as having been manually
491 Whether the console is to treat the source as having been manually
492 entered by the user. The effect of this parameter depends on the
492 entered by the user. The effect of this parameter depends on the
493 subclass implementation.
493 subclass implementation.
494
494
495 Raises:
495 Raises:
496 -------
496 -------
497 RuntimeError
497 RuntimeError
498 If incomplete input is given and 'hidden' is True. In this case,
498 If incomplete input is given and 'hidden' is True. In this case,
499 it is not possible to prompt for more input.
499 it is not possible to prompt for more input.
500
500
501 Returns:
501 Returns:
502 --------
502 --------
503 A boolean indicating whether the source was executed.
503 A boolean indicating whether the source was executed.
504 """
504 """
505 # WARNING: The order in which things happen here is very particular, in
505 # WARNING: The order in which things happen here is very particular, in
506 # large part because our syntax highlighting is fragile. If you change
506 # large part because our syntax highlighting is fragile. If you change
507 # something, test carefully!
507 # something, test carefully!
508
508
509 # Decide what to execute.
509 # Decide what to execute.
510 if source is None:
510 if source is None:
511 source = self.input_buffer
511 source = self.input_buffer
512 if not hidden:
512 if not hidden:
513 # A newline is appended later, but it should be considered part
513 # A newline is appended later, but it should be considered part
514 # of the input buffer.
514 # of the input buffer.
515 source += '\n'
515 source += '\n'
516 elif not hidden:
516 elif not hidden:
517 self.input_buffer = source
517 self.input_buffer = source
518
518
519 # Execute the source or show a continuation prompt if it is incomplete.
519 # Execute the source or show a continuation prompt if it is incomplete.
520 complete = self._is_complete(source, interactive)
520 complete = self._is_complete(source, interactive)
521 if hidden:
521 if hidden:
522 if complete:
522 if complete:
523 self._execute(source, hidden)
523 self._execute(source, hidden)
524 else:
524 else:
525 error = 'Incomplete noninteractive input: "%s"'
525 error = 'Incomplete noninteractive input: "%s"'
526 raise RuntimeError(error % source)
526 raise RuntimeError(error % source)
527 else:
527 else:
528 if complete:
528 if complete:
529 self._append_plain_text('\n')
529 self._append_plain_text('\n')
530 self._input_buffer_executing = self.input_buffer
530 self._input_buffer_executing = self.input_buffer
531 self._executing = True
531 self._executing = True
532 self._prompt_finished()
532 self._prompt_finished()
533
533
534 # The maximum block count is only in effect during execution.
534 # The maximum block count is only in effect during execution.
535 # This ensures that _prompt_pos does not become invalid due to
535 # This ensures that _prompt_pos does not become invalid due to
536 # text truncation.
536 # text truncation.
537 self._control.document().setMaximumBlockCount(self.buffer_size)
537 self._control.document().setMaximumBlockCount(self.buffer_size)
538
538
539 # Setting a positive maximum block count will automatically
539 # Setting a positive maximum block count will automatically
540 # disable the undo/redo history, but just to be safe:
540 # disable the undo/redo history, but just to be safe:
541 self._control.setUndoRedoEnabled(False)
541 self._control.setUndoRedoEnabled(False)
542
542
543 # Perform actual execution.
543 # Perform actual execution.
544 self._execute(source, hidden)
544 self._execute(source, hidden)
545
545
546 else:
546 else:
547 # Do this inside an edit block so continuation prompts are
547 # Do this inside an edit block so continuation prompts are
548 # removed seamlessly via undo/redo.
548 # removed seamlessly via undo/redo.
549 cursor = self._get_end_cursor()
549 cursor = self._get_end_cursor()
550 cursor.beginEditBlock()
550 cursor.beginEditBlock()
551 cursor.insertText('\n')
551 cursor.insertText('\n')
552 self._insert_continuation_prompt(cursor)
552 self._insert_continuation_prompt(cursor)
553 cursor.endEditBlock()
553 cursor.endEditBlock()
554
554
555 # Do not do this inside the edit block. It works as expected
555 # Do not do this inside the edit block. It works as expected
556 # when using a QPlainTextEdit control, but does not have an
556 # when using a QPlainTextEdit control, but does not have an
557 # effect when using a QTextEdit. I believe this is a Qt bug.
557 # effect when using a QTextEdit. I believe this is a Qt bug.
558 self._control.moveCursor(QtGui.QTextCursor.End)
558 self._control.moveCursor(QtGui.QTextCursor.End)
559
559
560 return complete
560 return complete
561
561
562 def export_html(self):
562 def export_html(self):
563 """ Shows a dialog to export HTML/XML in various formats.
563 """ Shows a dialog to export HTML/XML in various formats.
564 """
564 """
565 self._html_exporter.export()
565 self._html_exporter.export()
566
566
567 def _get_input_buffer(self, force=False):
567 def _get_input_buffer(self, force=False):
568 """ The text that the user has entered entered at the current prompt.
568 """ The text that the user has entered entered at the current prompt.
569
569
570 If the console is currently executing, the text that is executing will
570 If the console is currently executing, the text that is executing will
571 always be returned.
571 always be returned.
572 """
572 """
573 # If we're executing, the input buffer may not even exist anymore due to
573 # If we're executing, the input buffer may not even exist anymore due to
574 # the limit imposed by 'buffer_size'. Therefore, we store it.
574 # the limit imposed by 'buffer_size'. Therefore, we store it.
575 if self._executing and not force:
575 if self._executing and not force:
576 return self._input_buffer_executing
576 return self._input_buffer_executing
577
577
578 cursor = self._get_end_cursor()
578 cursor = self._get_end_cursor()
579 cursor.setPosition(self._prompt_pos, QtGui.QTextCursor.KeepAnchor)
579 cursor.setPosition(self._prompt_pos, QtGui.QTextCursor.KeepAnchor)
580 input_buffer = cursor.selection().toPlainText()
580 input_buffer = cursor.selection().toPlainText()
581
581
582 # Strip out continuation prompts.
582 # Strip out continuation prompts.
583 return input_buffer.replace('\n' + self._continuation_prompt, '\n')
583 return input_buffer.replace('\n' + self._continuation_prompt, '\n')
584
584
585 def _set_input_buffer(self, string):
585 def _set_input_buffer(self, string):
586 """ Sets the text in the input buffer.
586 """ Sets the text in the input buffer.
587
587
588 If the console is currently executing, this call has no *immediate*
588 If the console is currently executing, this call has no *immediate*
589 effect. When the execution is finished, the input buffer will be updated
589 effect. When the execution is finished, the input buffer will be updated
590 appropriately.
590 appropriately.
591 """
591 """
592 # If we're executing, store the text for later.
592 # If we're executing, store the text for later.
593 if self._executing:
593 if self._executing:
594 self._input_buffer_pending = string
594 self._input_buffer_pending = string
595 return
595 return
596
596
597 # Remove old text.
597 # Remove old text.
598 cursor = self._get_end_cursor()
598 cursor = self._get_end_cursor()
599 cursor.beginEditBlock()
599 cursor.beginEditBlock()
600 cursor.setPosition(self._prompt_pos, QtGui.QTextCursor.KeepAnchor)
600 cursor.setPosition(self._prompt_pos, QtGui.QTextCursor.KeepAnchor)
601 cursor.removeSelectedText()
601 cursor.removeSelectedText()
602
602
603 # Insert new text with continuation prompts.
603 # Insert new text with continuation prompts.
604 self._insert_plain_text_into_buffer(self._get_prompt_cursor(), string)
604 self._insert_plain_text_into_buffer(self._get_prompt_cursor(), string)
605 cursor.endEditBlock()
605 cursor.endEditBlock()
606 self._control.moveCursor(QtGui.QTextCursor.End)
606 self._control.moveCursor(QtGui.QTextCursor.End)
607
607
608 input_buffer = property(_get_input_buffer, _set_input_buffer)
608 input_buffer = property(_get_input_buffer, _set_input_buffer)
609
609
610 def _get_font(self):
610 def _get_font(self):
611 """ The base font being used by the ConsoleWidget.
611 """ The base font being used by the ConsoleWidget.
612 """
612 """
613 return self._control.document().defaultFont()
613 return self._control.document().defaultFont()
614
614
615 def _set_font(self, font):
615 def _set_font(self, font):
616 """ Sets the base font for the ConsoleWidget to the specified QFont.
616 """ Sets the base font for the ConsoleWidget to the specified QFont.
617 """
617 """
618 font_metrics = QtGui.QFontMetrics(font)
618 font_metrics = QtGui.QFontMetrics(font)
619 self._control.setTabStopWidth(self.tab_width * font_metrics.width(' '))
619 self._control.setTabStopWidth(self.tab_width * font_metrics.width(' '))
620
620
621 self._completion_widget.setFont(font)
621 self._completion_widget.setFont(font)
622 self._control.document().setDefaultFont(font)
622 self._control.document().setDefaultFont(font)
623 if self._page_control:
623 if self._page_control:
624 self._page_control.document().setDefaultFont(font)
624 self._page_control.document().setDefaultFont(font)
625
625
626 self.font_changed.emit(font)
626 self.font_changed.emit(font)
627
627
628 font = property(_get_font, _set_font)
628 font = property(_get_font, _set_font)
629
629
630 def paste(self, mode=QtGui.QClipboard.Clipboard):
630 def paste(self, mode=QtGui.QClipboard.Clipboard):
631 """ Paste the contents of the clipboard into the input region.
631 """ Paste the contents of the clipboard into the input region.
632
632
633 Parameters:
633 Parameters:
634 -----------
634 -----------
635 mode : QClipboard::Mode, optional [default QClipboard::Clipboard]
635 mode : QClipboard::Mode, optional [default QClipboard::Clipboard]
636
636
637 Controls which part of the system clipboard is used. This can be
637 Controls which part of the system clipboard is used. This can be
638 used to access the selection clipboard in X11 and the Find buffer
638 used to access the selection clipboard in X11 and the Find buffer
639 in Mac OS. By default, the regular clipboard is used.
639 in Mac OS. By default, the regular clipboard is used.
640 """
640 """
641 if self._control.textInteractionFlags() & QtCore.Qt.TextEditable:
641 if self._control.textInteractionFlags() & QtCore.Qt.TextEditable:
642 # Make sure the paste is safe.
642 # Make sure the paste is safe.
643 self._keep_cursor_in_buffer()
643 self._keep_cursor_in_buffer()
644 cursor = self._control.textCursor()
644 cursor = self._control.textCursor()
645
645
646 # Remove any trailing newline, which confuses the GUI and forces the
646 # Remove any trailing newline, which confuses the GUI and forces the
647 # user to backspace.
647 # user to backspace.
648 text = QtGui.QApplication.clipboard().text(mode).rstrip()
648 text = QtGui.QApplication.clipboard().text(mode).rstrip()
649 self._insert_plain_text_into_buffer(cursor, dedent(text))
649 self._insert_plain_text_into_buffer(cursor, dedent(text))
650
650
651 def print_(self, printer = None):
651 def print_(self, printer = None):
652 """ Print the contents of the ConsoleWidget to the specified QPrinter.
652 """ Print the contents of the ConsoleWidget to the specified QPrinter.
653 """
653 """
654 if (not printer):
654 if (not printer):
655 printer = QtGui.QPrinter()
655 printer = QtGui.QPrinter()
656 if(QtGui.QPrintDialog(printer).exec_() != QtGui.QDialog.Accepted):
656 if(QtGui.QPrintDialog(printer).exec_() != QtGui.QDialog.Accepted):
657 return
657 return
658 self._control.print_(printer)
658 self._control.print_(printer)
659
659
660 def prompt_to_top(self):
660 def prompt_to_top(self):
661 """ Moves the prompt to the top of the viewport.
661 """ Moves the prompt to the top of the viewport.
662 """
662 """
663 if not self._executing:
663 if not self._executing:
664 prompt_cursor = self._get_prompt_cursor()
664 prompt_cursor = self._get_prompt_cursor()
665 if self._get_cursor().blockNumber() < prompt_cursor.blockNumber():
665 if self._get_cursor().blockNumber() < prompt_cursor.blockNumber():
666 self._set_cursor(prompt_cursor)
666 self._set_cursor(prompt_cursor)
667 self._set_top_cursor(prompt_cursor)
667 self._set_top_cursor(prompt_cursor)
668
668
669 def redo(self):
669 def redo(self):
670 """ Redo the last operation. If there is no operation to redo, nothing
670 """ Redo the last operation. If there is no operation to redo, nothing
671 happens.
671 happens.
672 """
672 """
673 self._control.redo()
673 self._control.redo()
674
674
675 def reset_font(self):
675 def reset_font(self):
676 """ Sets the font to the default fixed-width font for this platform.
676 """ Sets the font to the default fixed-width font for this platform.
677 """
677 """
678 if sys.platform == 'win32':
678 if sys.platform == 'win32':
679 # Consolas ships with Vista/Win7, fallback to Courier if needed
679 # Consolas ships with Vista/Win7, fallback to Courier if needed
680 fallback = 'Courier'
680 fallback = 'Courier'
681 elif sys.platform == 'darwin':
681 elif sys.platform == 'darwin':
682 # OSX always has Monaco
682 # OSX always has Monaco
683 fallback = 'Monaco'
683 fallback = 'Monaco'
684 else:
684 else:
685 # Monospace should always exist
685 # Monospace should always exist
686 fallback = 'Monospace'
686 fallback = 'Monospace'
687 font = get_font(self.font_family, fallback)
687 font = get_font(self.font_family, fallback)
688 if self.font_size:
688 if self.font_size:
689 font.setPointSize(self.font_size)
689 font.setPointSize(self.font_size)
690 else:
690 else:
691 font.setPointSize(QtGui.qApp.font().pointSize())
691 font.setPointSize(QtGui.qApp.font().pointSize())
692 font.setStyleHint(QtGui.QFont.TypeWriter)
692 font.setStyleHint(QtGui.QFont.TypeWriter)
693 self._set_font(font)
693 self._set_font(font)
694
694
695 def change_font_size(self, delta):
695 def change_font_size(self, delta):
696 """Change the font size by the specified amount (in points).
696 """Change the font size by the specified amount (in points).
697 """
697 """
698 font = self.font
698 font = self.font
699 size = max(font.pointSize() + delta, 1) # minimum 1 point
699 size = max(font.pointSize() + delta, 1) # minimum 1 point
700 font.setPointSize(size)
700 font.setPointSize(size)
701 self._set_font(font)
701 self._set_font(font)
702
702
703 def _increase_font_size(self):
703 def _increase_font_size(self):
704 self.change_font_size(1)
704 self.change_font_size(1)
705
705
706 def _decrease_font_size(self):
706 def _decrease_font_size(self):
707 self.change_font_size(-1)
707 self.change_font_size(-1)
708
708
709 def select_all(self):
709 def select_all(self):
710 """ Selects all the text in the buffer.
710 """ Selects all the text in the buffer.
711 """
711 """
712 self._control.selectAll()
712 self._control.selectAll()
713
713
714 def _get_tab_width(self):
714 def _get_tab_width(self):
715 """ The width (in terms of space characters) for tab characters.
715 """ The width (in terms of space characters) for tab characters.
716 """
716 """
717 return self._tab_width
717 return self._tab_width
718
718
719 def _set_tab_width(self, tab_width):
719 def _set_tab_width(self, tab_width):
720 """ Sets the width (in terms of space characters) for tab characters.
720 """ Sets the width (in terms of space characters) for tab characters.
721 """
721 """
722 font_metrics = QtGui.QFontMetrics(self.font)
722 font_metrics = QtGui.QFontMetrics(self.font)
723 self._control.setTabStopWidth(tab_width * font_metrics.width(' '))
723 self._control.setTabStopWidth(tab_width * font_metrics.width(' '))
724
724
725 self._tab_width = tab_width
725 self._tab_width = tab_width
726
726
727 tab_width = property(_get_tab_width, _set_tab_width)
727 tab_width = property(_get_tab_width, _set_tab_width)
728
728
729 def undo(self):
729 def undo(self):
730 """ Undo the last operation. If there is no operation to undo, nothing
730 """ Undo the last operation. If there is no operation to undo, nothing
731 happens.
731 happens.
732 """
732 """
733 self._control.undo()
733 self._control.undo()
734
734
735 #---------------------------------------------------------------------------
735 #---------------------------------------------------------------------------
736 # 'ConsoleWidget' abstract interface
736 # 'ConsoleWidget' abstract interface
737 #---------------------------------------------------------------------------
737 #---------------------------------------------------------------------------
738
738
739 def _is_complete(self, source, interactive):
739 def _is_complete(self, source, interactive):
740 """ Returns whether 'source' can be executed. When triggered by an
740 """ Returns whether 'source' can be executed. When triggered by an
741 Enter/Return key press, 'interactive' is True; otherwise, it is
741 Enter/Return key press, 'interactive' is True; otherwise, it is
742 False.
742 False.
743 """
743 """
744 raise NotImplementedError
744 raise NotImplementedError
745
745
746 def _execute(self, source, hidden):
746 def _execute(self, source, hidden):
747 """ Execute 'source'. If 'hidden', do not show any output.
747 """ Execute 'source'. If 'hidden', do not show any output.
748 """
748 """
749 raise NotImplementedError
749 raise NotImplementedError
750
750
751 def _prompt_started_hook(self):
751 def _prompt_started_hook(self):
752 """ Called immediately after a new prompt is displayed.
752 """ Called immediately after a new prompt is displayed.
753 """
753 """
754 pass
754 pass
755
755
756 def _prompt_finished_hook(self):
756 def _prompt_finished_hook(self):
757 """ Called immediately after a prompt is finished, i.e. when some input
757 """ Called immediately after a prompt is finished, i.e. when some input
758 will be processed and a new prompt displayed.
758 will be processed and a new prompt displayed.
759 """
759 """
760 pass
760 pass
761
761
762 def _up_pressed(self, shift_modifier):
762 def _up_pressed(self, shift_modifier):
763 """ Called when the up key is pressed. Returns whether to continue
763 """ Called when the up key is pressed. Returns whether to continue
764 processing the event.
764 processing the event.
765 """
765 """
766 return True
766 return True
767
767
768 def _down_pressed(self, shift_modifier):
768 def _down_pressed(self, shift_modifier):
769 """ Called when the down key is pressed. Returns whether to continue
769 """ Called when the down key is pressed. Returns whether to continue
770 processing the event.
770 processing the event.
771 """
771 """
772 return True
772 return True
773
773
774 def _tab_pressed(self):
774 def _tab_pressed(self):
775 """ Called when the tab key is pressed. Returns whether to continue
775 """ Called when the tab key is pressed. Returns whether to continue
776 processing the event.
776 processing the event.
777 """
777 """
778 return False
778 return False
779
779
780 #--------------------------------------------------------------------------
780 #--------------------------------------------------------------------------
781 # 'ConsoleWidget' protected interface
781 # 'ConsoleWidget' protected interface
782 #--------------------------------------------------------------------------
782 #--------------------------------------------------------------------------
783
783
784 def _append_custom(self, insert, input, before_prompt=False):
784 def _append_custom(self, insert, input, before_prompt=False):
785 """ A low-level method for appending content to the end of the buffer.
785 """ A low-level method for appending content to the end of the buffer.
786
786
787 If 'before_prompt' is enabled, the content will be inserted before the
787 If 'before_prompt' is enabled, the content will be inserted before the
788 current prompt, if there is one.
788 current prompt, if there is one.
789 """
789 """
790 # Determine where to insert the content.
790 # Determine where to insert the content.
791 cursor = self._control.textCursor()
791 cursor = self._control.textCursor()
792 if before_prompt and (self._reading or not self._executing):
792 if before_prompt and (self._reading or not self._executing):
793 cursor.setPosition(self._append_before_prompt_pos)
793 cursor.setPosition(self._append_before_prompt_pos)
794 else:
794 else:
795 cursor.movePosition(QtGui.QTextCursor.End)
795 cursor.movePosition(QtGui.QTextCursor.End)
796 start_pos = cursor.position()
796 start_pos = cursor.position()
797
797
798 # Perform the insertion.
798 # Perform the insertion.
799 result = insert(cursor, input)
799 result = insert(cursor, input)
800
800
801 # Adjust the prompt position if we have inserted before it. This is safe
801 # Adjust the prompt position if we have inserted before it. This is safe
802 # because buffer truncation is disabled when not executing.
802 # because buffer truncation is disabled when not executing.
803 if before_prompt and not self._executing:
803 if before_prompt and not self._executing:
804 diff = cursor.position() - start_pos
804 diff = cursor.position() - start_pos
805 self._append_before_prompt_pos += diff
805 self._append_before_prompt_pos += diff
806 self._prompt_pos += diff
806 self._prompt_pos += diff
807
807
808 return result
808 return result
809
809
810 def _append_html(self, html, before_prompt=False):
810 def _append_html(self, html, before_prompt=False):
811 """ Appends HTML at the end of the console buffer.
811 """ Appends HTML at the end of the console buffer.
812 """
812 """
813 self._append_custom(self._insert_html, html, before_prompt)
813 self._append_custom(self._insert_html, html, before_prompt)
814
814
815 def _append_html_fetching_plain_text(self, html, before_prompt=False):
815 def _append_html_fetching_plain_text(self, html, before_prompt=False):
816 """ Appends HTML, then returns the plain text version of it.
816 """ Appends HTML, then returns the plain text version of it.
817 """
817 """
818 return self._append_custom(self._insert_html_fetching_plain_text,
818 return self._append_custom(self._insert_html_fetching_plain_text,
819 html, before_prompt)
819 html, before_prompt)
820
820
821 def _append_plain_text(self, text, before_prompt=False):
821 def _append_plain_text(self, text, before_prompt=False):
822 """ Appends plain text, processing ANSI codes if enabled.
822 """ Appends plain text, processing ANSI codes if enabled.
823 """
823 """
824 self._append_custom(self._insert_plain_text, text, before_prompt)
824 self._append_custom(self._insert_plain_text, text, before_prompt)
825
825
826 def _cancel_text_completion(self):
826 def _cancel_text_completion(self):
827 """ If text completion is progress, cancel it.
827 """ If text completion is progress, cancel it.
828 """
828 """
829 if self._text_completing_pos:
829 if self._text_completing_pos:
830 self._clear_temporary_buffer()
830 self._clear_temporary_buffer()
831 self._text_completing_pos = 0
831 self._text_completing_pos = 0
832
832
833 def _clear_temporary_buffer(self):
833 def _clear_temporary_buffer(self):
834 """ Clears the "temporary text" buffer, i.e. all the text following
834 """ Clears the "temporary text" buffer, i.e. all the text following
835 the prompt region.
835 the prompt region.
836 """
836 """
837 # Select and remove all text below the input buffer.
837 # Select and remove all text below the input buffer.
838 cursor = self._get_prompt_cursor()
838 cursor = self._get_prompt_cursor()
839 prompt = self._continuation_prompt.lstrip()
839 prompt = self._continuation_prompt.lstrip()
840 while cursor.movePosition(QtGui.QTextCursor.NextBlock):
840 while cursor.movePosition(QtGui.QTextCursor.NextBlock):
841 temp_cursor = QtGui.QTextCursor(cursor)
841 temp_cursor = QtGui.QTextCursor(cursor)
842 temp_cursor.select(QtGui.QTextCursor.BlockUnderCursor)
842 temp_cursor.select(QtGui.QTextCursor.BlockUnderCursor)
843 text = temp_cursor.selection().toPlainText().lstrip()
843 text = temp_cursor.selection().toPlainText().lstrip()
844 if not text.startswith(prompt):
844 if not text.startswith(prompt):
845 break
845 break
846 else:
846 else:
847 # We've reached the end of the input buffer and no text follows.
847 # We've reached the end of the input buffer and no text follows.
848 return
848 return
849 cursor.movePosition(QtGui.QTextCursor.Left) # Grab the newline.
849 cursor.movePosition(QtGui.QTextCursor.Left) # Grab the newline.
850 cursor.movePosition(QtGui.QTextCursor.End,
850 cursor.movePosition(QtGui.QTextCursor.End,
851 QtGui.QTextCursor.KeepAnchor)
851 QtGui.QTextCursor.KeepAnchor)
852 cursor.removeSelectedText()
852 cursor.removeSelectedText()
853
853
854 # After doing this, we have no choice but to clear the undo/redo
854 # After doing this, we have no choice but to clear the undo/redo
855 # history. Otherwise, the text is not "temporary" at all, because it
855 # history. Otherwise, the text is not "temporary" at all, because it
856 # can be recalled with undo/redo. Unfortunately, Qt does not expose
856 # can be recalled with undo/redo. Unfortunately, Qt does not expose
857 # fine-grained control to the undo/redo system.
857 # fine-grained control to the undo/redo system.
858 if self._control.isUndoRedoEnabled():
858 if self._control.isUndoRedoEnabled():
859 self._control.setUndoRedoEnabled(False)
859 self._control.setUndoRedoEnabled(False)
860 self._control.setUndoRedoEnabled(True)
860 self._control.setUndoRedoEnabled(True)
861
861
862 def _complete_with_items(self, cursor, items):
862 def _complete_with_items(self, cursor, items):
863 """ Performs completion with 'items' at the specified cursor location.
863 """ Performs completion with 'items' at the specified cursor location.
864 """
864 """
865 self._cancel_text_completion()
865 self._cancel_text_completion()
866
866
867 if len(items) == 1:
867 if len(items) == 1:
868 cursor.setPosition(self._control.textCursor().position(),
868 cursor.setPosition(self._control.textCursor().position(),
869 QtGui.QTextCursor.KeepAnchor)
869 QtGui.QTextCursor.KeepAnchor)
870 cursor.insertText(items[0])
870 cursor.insertText(items[0])
871
871
872 elif len(items) > 1:
872 elif len(items) > 1:
873 current_pos = self._control.textCursor().position()
873 current_pos = self._control.textCursor().position()
874 prefix = commonprefix(items)
874 prefix = commonprefix(items)
875 if prefix:
875 if prefix:
876 cursor.setPosition(current_pos, QtGui.QTextCursor.KeepAnchor)
876 cursor.setPosition(current_pos, QtGui.QTextCursor.KeepAnchor)
877 cursor.insertText(prefix)
877 cursor.insertText(prefix)
878 current_pos = cursor.position()
878 current_pos = cursor.position()
879
879
880 if self.gui_completion:
880 if self.gui_completion:
881 cursor.movePosition(QtGui.QTextCursor.Left, n=len(prefix))
881 cursor.movePosition(QtGui.QTextCursor.Left, n=len(prefix))
882 self._completion_widget.show_items(cursor, items)
882 self._completion_widget.show_items(cursor, items)
883 else:
883 else:
884 cursor.beginEditBlock()
884 cursor.beginEditBlock()
885 self._append_plain_text('\n')
885 self._append_plain_text('\n')
886 self._page(self._format_as_columns(items))
886 self._page(self._format_as_columns(items))
887 cursor.endEditBlock()
887 cursor.endEditBlock()
888
888
889 cursor.setPosition(current_pos)
889 cursor.setPosition(current_pos)
890 self._control.moveCursor(QtGui.QTextCursor.End)
890 self._control.moveCursor(QtGui.QTextCursor.End)
891 self._control.setTextCursor(cursor)
891 self._control.setTextCursor(cursor)
892 self._text_completing_pos = current_pos
892 self._text_completing_pos = current_pos
893
893
894 def _context_menu_make(self, pos):
894 def _context_menu_make(self, pos):
895 """ Creates a context menu for the given QPoint (in widget coordinates).
895 """ Creates a context menu for the given QPoint (in widget coordinates).
896 """
896 """
897 menu = QtGui.QMenu(self)
897 menu = QtGui.QMenu(self)
898
898
899 self.cut_action = menu.addAction('Cut', self.cut)
899 self.cut_action = menu.addAction('Cut', self.cut)
900 self.cut_action.setEnabled(self.can_cut())
900 self.cut_action.setEnabled(self.can_cut())
901 self.cut_action.setShortcut(QtGui.QKeySequence.Cut)
901 self.cut_action.setShortcut(QtGui.QKeySequence.Cut)
902
902
903 self.copy_action = menu.addAction('Copy', self.copy)
903 self.copy_action = menu.addAction('Copy', self.copy)
904 self.copy_action.setEnabled(self.can_copy())
904 self.copy_action.setEnabled(self.can_copy())
905 self.copy_action.setShortcut(QtGui.QKeySequence.Copy)
905 self.copy_action.setShortcut(QtGui.QKeySequence.Copy)
906
906
907 self.paste_action = menu.addAction('Paste', self.paste)
907 self.paste_action = menu.addAction('Paste', self.paste)
908 self.paste_action.setEnabled(self.can_paste())
908 self.paste_action.setEnabled(self.can_paste())
909 self.paste_action.setShortcut(QtGui.QKeySequence.Paste)
909 self.paste_action.setShortcut(QtGui.QKeySequence.Paste)
910
910
911 menu.addSeparator()
911 menu.addSeparator()
912 menu.addAction(self.select_all_action)
912 menu.addAction(self.select_all_action)
913
913
914 menu.addSeparator()
914 menu.addSeparator()
915 menu.addAction(self.export_action)
915 menu.addAction(self.export_action)
916 menu.addAction(self.print_action)
916 menu.addAction(self.print_action)
917
917
918 return menu
918 return menu
919
919
920 def _control_key_down(self, modifiers, include_command=False):
920 def _control_key_down(self, modifiers, include_command=False):
921 """ Given a KeyboardModifiers flags object, return whether the Control
921 """ Given a KeyboardModifiers flags object, return whether the Control
922 key is down.
922 key is down.
923
923
924 Parameters:
924 Parameters:
925 -----------
925 -----------
926 include_command : bool, optional (default True)
926 include_command : bool, optional (default True)
927 Whether to treat the Command key as a (mutually exclusive) synonym
927 Whether to treat the Command key as a (mutually exclusive) synonym
928 for Control when in Mac OS.
928 for Control when in Mac OS.
929 """
929 """
930 # Note that on Mac OS, ControlModifier corresponds to the Command key
930 # Note that on Mac OS, ControlModifier corresponds to the Command key
931 # while MetaModifier corresponds to the Control key.
931 # while MetaModifier corresponds to the Control key.
932 if sys.platform == 'darwin':
932 if sys.platform == 'darwin':
933 down = include_command and (modifiers & QtCore.Qt.ControlModifier)
933 down = include_command and (modifiers & QtCore.Qt.ControlModifier)
934 return bool(down) ^ bool(modifiers & QtCore.Qt.MetaModifier)
934 return bool(down) ^ bool(modifiers & QtCore.Qt.MetaModifier)
935 else:
935 else:
936 return bool(modifiers & QtCore.Qt.ControlModifier)
936 return bool(modifiers & QtCore.Qt.ControlModifier)
937
937
938 def _create_control(self):
938 def _create_control(self):
939 """ Creates and connects the underlying text widget.
939 """ Creates and connects the underlying text widget.
940 """
940 """
941 # Create the underlying control.
941 # Create the underlying control.
942 if self.kind == 'plain':
942 if self.kind == 'plain':
943 control = QtGui.QPlainTextEdit()
943 control = QtGui.QPlainTextEdit()
944 elif self.kind == 'rich':
944 elif self.kind == 'rich':
945 control = QtGui.QTextEdit()
945 control = QtGui.QTextEdit()
946 control.setAcceptRichText(False)
946 control.setAcceptRichText(False)
947
947
948 # Install event filters. The filter on the viewport is needed for
948 # Install event filters. The filter on the viewport is needed for
949 # mouse events and drag events.
949 # mouse events and drag events.
950 control.installEventFilter(self)
950 control.installEventFilter(self)
951 control.viewport().installEventFilter(self)
951 control.viewport().installEventFilter(self)
952
952
953 # Connect signals.
953 # Connect signals.
954 control.cursorPositionChanged.connect(self._cursor_position_changed)
954 control.cursorPositionChanged.connect(self._cursor_position_changed)
955 control.customContextMenuRequested.connect(
955 control.customContextMenuRequested.connect(
956 self._custom_context_menu_requested)
956 self._custom_context_menu_requested)
957 control.copyAvailable.connect(self.copy_available)
957 control.copyAvailable.connect(self.copy_available)
958 control.redoAvailable.connect(self.redo_available)
958 control.redoAvailable.connect(self.redo_available)
959 control.undoAvailable.connect(self.undo_available)
959 control.undoAvailable.connect(self.undo_available)
960
960
961 # Hijack the document size change signal to prevent Qt from adjusting
961 # Hijack the document size change signal to prevent Qt from adjusting
962 # the viewport's scrollbar. We are relying on an implementation detail
962 # the viewport's scrollbar. We are relying on an implementation detail
963 # of Q(Plain)TextEdit here, which is potentially dangerous, but without
963 # of Q(Plain)TextEdit here, which is potentially dangerous, but without
964 # this functionality we cannot create a nice terminal interface.
964 # this functionality we cannot create a nice terminal interface.
965 layout = control.document().documentLayout()
965 layout = control.document().documentLayout()
966 layout.documentSizeChanged.disconnect()
966 layout.documentSizeChanged.disconnect()
967 layout.documentSizeChanged.connect(self._adjust_scrollbars)
967 layout.documentSizeChanged.connect(self._adjust_scrollbars)
968
968
969 # Configure the control.
969 # Configure the control.
970 control.setAttribute(QtCore.Qt.WA_InputMethodEnabled, True)
970 control.setAttribute(QtCore.Qt.WA_InputMethodEnabled, True)
971 control.setContextMenuPolicy(QtCore.Qt.CustomContextMenu)
971 control.setContextMenuPolicy(QtCore.Qt.CustomContextMenu)
972 control.setReadOnly(True)
972 control.setReadOnly(True)
973 control.setUndoRedoEnabled(False)
973 control.setUndoRedoEnabled(False)
974 control.setVerticalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOn)
974 control.setVerticalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOn)
975 return control
975 return control
976
976
977 def _create_page_control(self):
977 def _create_page_control(self):
978 """ Creates and connects the underlying paging widget.
978 """ Creates and connects the underlying paging widget.
979 """
979 """
980 if self.kind == 'plain':
980 if self.kind == 'plain':
981 control = QtGui.QPlainTextEdit()
981 control = QtGui.QPlainTextEdit()
982 elif self.kind == 'rich':
982 elif self.kind == 'rich':
983 control = QtGui.QTextEdit()
983 control = QtGui.QTextEdit()
984 control.installEventFilter(self)
984 control.installEventFilter(self)
985 viewport = control.viewport()
985 viewport = control.viewport()
986 viewport.installEventFilter(self)
986 viewport.installEventFilter(self)
987 control.setReadOnly(True)
987 control.setReadOnly(True)
988 control.setUndoRedoEnabled(False)
988 control.setUndoRedoEnabled(False)
989 control.setVerticalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOn)
989 control.setVerticalScrollBarPolicy(QtCore.Qt.ScrollBarAlwaysOn)
990 return control
990 return control
991
991
992 def _event_filter_console_keypress(self, event):
992 def _event_filter_console_keypress(self, event):
993 """ Filter key events for the underlying text widget to create a
993 """ Filter key events for the underlying text widget to create a
994 console-like interface.
994 console-like interface.
995 """
995 """
996 intercepted = False
996 intercepted = False
997 cursor = self._control.textCursor()
997 cursor = self._control.textCursor()
998 position = cursor.position()
998 position = cursor.position()
999 key = event.key()
999 key = event.key()
1000 ctrl_down = self._control_key_down(event.modifiers())
1000 ctrl_down = self._control_key_down(event.modifiers())
1001 alt_down = event.modifiers() & QtCore.Qt.AltModifier
1001 alt_down = event.modifiers() & QtCore.Qt.AltModifier
1002 shift_down = event.modifiers() & QtCore.Qt.ShiftModifier
1002 shift_down = event.modifiers() & QtCore.Qt.ShiftModifier
1003
1003
1004 #------ Special sequences ----------------------------------------------
1004 #------ Special sequences ----------------------------------------------
1005
1005
1006 if event.matches(QtGui.QKeySequence.Copy):
1006 if event.matches(QtGui.QKeySequence.Copy):
1007 self.copy()
1007 self.copy()
1008 intercepted = True
1008 intercepted = True
1009
1009
1010 elif event.matches(QtGui.QKeySequence.Cut):
1010 elif event.matches(QtGui.QKeySequence.Cut):
1011 self.cut()
1011 self.cut()
1012 intercepted = True
1012 intercepted = True
1013
1013
1014 elif event.matches(QtGui.QKeySequence.Paste):
1014 elif event.matches(QtGui.QKeySequence.Paste):
1015 self.paste()
1015 self.paste()
1016 intercepted = True
1016 intercepted = True
1017
1017
1018 #------ Special modifier logic -----------------------------------------
1018 #------ Special modifier logic -----------------------------------------
1019
1019
1020 elif key in (QtCore.Qt.Key_Return, QtCore.Qt.Key_Enter):
1020 elif key in (QtCore.Qt.Key_Return, QtCore.Qt.Key_Enter):
1021 intercepted = True
1021 intercepted = True
1022
1022
1023 # Special handling when tab completing in text mode.
1023 # Special handling when tab completing in text mode.
1024 self._cancel_text_completion()
1024 self._cancel_text_completion()
1025
1025
1026 if self._in_buffer(position):
1026 if self._in_buffer(position):
1027 # Special handling when a reading a line of raw input.
1027 # Special handling when a reading a line of raw input.
1028 if self._reading:
1028 if self._reading:
1029 self._append_plain_text('\n')
1029 self._append_plain_text('\n')
1030 self._reading = False
1030 self._reading = False
1031 if self._reading_callback:
1031 if self._reading_callback:
1032 self._reading_callback()
1032 self._reading_callback()
1033
1033
1034 # If the input buffer is a single line or there is only
1034 # If the input buffer is a single line or there is only
1035 # whitespace after the cursor, execute. Otherwise, split the
1035 # whitespace after the cursor, execute. Otherwise, split the
1036 # line with a continuation prompt.
1036 # line with a continuation prompt.
1037 elif not self._executing:
1037 elif not self._executing:
1038 cursor.movePosition(QtGui.QTextCursor.End,
1038 cursor.movePosition(QtGui.QTextCursor.End,
1039 QtGui.QTextCursor.KeepAnchor)
1039 QtGui.QTextCursor.KeepAnchor)
1040 at_end = len(cursor.selectedText().strip()) == 0
1040 at_end = len(cursor.selectedText().strip()) == 0
1041 single_line = (self._get_end_cursor().blockNumber() ==
1041 single_line = (self._get_end_cursor().blockNumber() ==
1042 self._get_prompt_cursor().blockNumber())
1042 self._get_prompt_cursor().blockNumber())
1043 if (at_end or shift_down or single_line) and not ctrl_down:
1043 if (at_end or shift_down or single_line) and not ctrl_down:
1044 self.execute(interactive = not shift_down)
1044 self.execute(interactive = not shift_down)
1045 else:
1045 else:
1046 # Do this inside an edit block for clean undo/redo.
1046 # Do this inside an edit block for clean undo/redo.
1047 cursor.beginEditBlock()
1047 cursor.beginEditBlock()
1048 cursor.setPosition(position)
1048 cursor.setPosition(position)
1049 cursor.insertText('\n')
1049 cursor.insertText('\n')
1050 self._insert_continuation_prompt(cursor)
1050 self._insert_continuation_prompt(cursor)
1051 cursor.endEditBlock()
1051 cursor.endEditBlock()
1052
1052
1053 # Ensure that the whole input buffer is visible.
1053 # Ensure that the whole input buffer is visible.
1054 # FIXME: This will not be usable if the input buffer is
1054 # FIXME: This will not be usable if the input buffer is
1055 # taller than the console widget.
1055 # taller than the console widget.
1056 self._control.moveCursor(QtGui.QTextCursor.End)
1056 self._control.moveCursor(QtGui.QTextCursor.End)
1057 self._control.setTextCursor(cursor)
1057 self._control.setTextCursor(cursor)
1058
1058
1059 #------ Control/Cmd modifier -------------------------------------------
1059 #------ Control/Cmd modifier -------------------------------------------
1060
1060
1061 elif ctrl_down:
1061 elif ctrl_down:
1062 if key == QtCore.Qt.Key_G:
1062 if key == QtCore.Qt.Key_G:
1063 self._keyboard_quit()
1063 self._keyboard_quit()
1064 intercepted = True
1064 intercepted = True
1065
1065
1066 elif key == QtCore.Qt.Key_K:
1066 elif key == QtCore.Qt.Key_K:
1067 if self._in_buffer(position):
1067 if self._in_buffer(position):
1068 cursor.clearSelection()
1068 cursor.clearSelection()
1069 cursor.movePosition(QtGui.QTextCursor.EndOfLine,
1069 cursor.movePosition(QtGui.QTextCursor.EndOfLine,
1070 QtGui.QTextCursor.KeepAnchor)
1070 QtGui.QTextCursor.KeepAnchor)
1071 if not cursor.hasSelection():
1071 if not cursor.hasSelection():
1072 # Line deletion (remove continuation prompt)
1072 # Line deletion (remove continuation prompt)
1073 cursor.movePosition(QtGui.QTextCursor.NextBlock,
1073 cursor.movePosition(QtGui.QTextCursor.NextBlock,
1074 QtGui.QTextCursor.KeepAnchor)
1074 QtGui.QTextCursor.KeepAnchor)
1075 cursor.movePosition(QtGui.QTextCursor.Right,
1075 cursor.movePosition(QtGui.QTextCursor.Right,
1076 QtGui.QTextCursor.KeepAnchor,
1076 QtGui.QTextCursor.KeepAnchor,
1077 len(self._continuation_prompt))
1077 len(self._continuation_prompt))
1078 self._kill_ring.kill_cursor(cursor)
1078 self._kill_ring.kill_cursor(cursor)
1079 self._set_cursor(cursor)
1079 self._set_cursor(cursor)
1080 intercepted = True
1080 intercepted = True
1081
1081
1082 elif key == QtCore.Qt.Key_L:
1082 elif key == QtCore.Qt.Key_L:
1083 self.prompt_to_top()
1083 self.prompt_to_top()
1084 intercepted = True
1084 intercepted = True
1085
1085
1086 elif key == QtCore.Qt.Key_O:
1086 elif key == QtCore.Qt.Key_O:
1087 if self._page_control and self._page_control.isVisible():
1087 if self._page_control and self._page_control.isVisible():
1088 self._page_control.setFocus()
1088 self._page_control.setFocus()
1089 intercepted = True
1089 intercepted = True
1090
1090
1091 elif key == QtCore.Qt.Key_U:
1091 elif key == QtCore.Qt.Key_U:
1092 if self._in_buffer(position):
1092 if self._in_buffer(position):
1093 cursor.clearSelection()
1093 cursor.clearSelection()
1094 start_line = cursor.blockNumber()
1094 start_line = cursor.blockNumber()
1095 if start_line == self._get_prompt_cursor().blockNumber():
1095 if start_line == self._get_prompt_cursor().blockNumber():
1096 offset = len(self._prompt)
1096 offset = len(self._prompt)
1097 else:
1097 else:
1098 offset = len(self._continuation_prompt)
1098 offset = len(self._continuation_prompt)
1099 cursor.movePosition(QtGui.QTextCursor.StartOfBlock,
1099 cursor.movePosition(QtGui.QTextCursor.StartOfBlock,
1100 QtGui.QTextCursor.KeepAnchor)
1100 QtGui.QTextCursor.KeepAnchor)
1101 cursor.movePosition(QtGui.QTextCursor.Right,
1101 cursor.movePosition(QtGui.QTextCursor.Right,
1102 QtGui.QTextCursor.KeepAnchor, offset)
1102 QtGui.QTextCursor.KeepAnchor, offset)
1103 self._kill_ring.kill_cursor(cursor)
1103 self._kill_ring.kill_cursor(cursor)
1104 self._set_cursor(cursor)
1104 self._set_cursor(cursor)
1105 intercepted = True
1105 intercepted = True
1106
1106
1107 elif key == QtCore.Qt.Key_Y:
1107 elif key == QtCore.Qt.Key_Y:
1108 self._keep_cursor_in_buffer()
1108 self._keep_cursor_in_buffer()
1109 self._kill_ring.yank()
1109 self._kill_ring.yank()
1110 intercepted = True
1110 intercepted = True
1111
1111
1112 elif key in (QtCore.Qt.Key_Backspace, QtCore.Qt.Key_Delete):
1112 elif key in (QtCore.Qt.Key_Backspace, QtCore.Qt.Key_Delete):
1113 if key == QtCore.Qt.Key_Backspace:
1113 if key == QtCore.Qt.Key_Backspace:
1114 cursor = self._get_word_start_cursor(position)
1114 cursor = self._get_word_start_cursor(position)
1115 else: # key == QtCore.Qt.Key_Delete
1115 else: # key == QtCore.Qt.Key_Delete
1116 cursor = self._get_word_end_cursor(position)
1116 cursor = self._get_word_end_cursor(position)
1117 cursor.setPosition(position, QtGui.QTextCursor.KeepAnchor)
1117 cursor.setPosition(position, QtGui.QTextCursor.KeepAnchor)
1118 self._kill_ring.kill_cursor(cursor)
1118 self._kill_ring.kill_cursor(cursor)
1119 intercepted = True
1119 intercepted = True
1120
1120
1121 elif key == QtCore.Qt.Key_D:
1121 elif key == QtCore.Qt.Key_D:
1122 if len(self.input_buffer) == 0:
1122 if len(self.input_buffer) == 0:
1123 self.exit_requested.emit(self)
1123 self.exit_requested.emit(self)
1124 else:
1124 else:
1125 new_event = QtGui.QKeyEvent(QtCore.QEvent.KeyPress,
1125 new_event = QtGui.QKeyEvent(QtCore.QEvent.KeyPress,
1126 QtCore.Qt.Key_Delete,
1126 QtCore.Qt.Key_Delete,
1127 QtCore.Qt.NoModifier)
1127 QtCore.Qt.NoModifier)
1128 QtGui.qApp.sendEvent(self._control, new_event)
1128 QtGui.qApp.sendEvent(self._control, new_event)
1129 intercepted = True
1129 intercepted = True
1130
1130
1131 #------ Alt modifier ---------------------------------------------------
1131 #------ Alt modifier ---------------------------------------------------
1132
1132
1133 elif alt_down:
1133 elif alt_down:
1134 if key == QtCore.Qt.Key_B:
1134 if key == QtCore.Qt.Key_B:
1135 self._set_cursor(self._get_word_start_cursor(position))
1135 self._set_cursor(self._get_word_start_cursor(position))
1136 intercepted = True
1136 intercepted = True
1137
1137
1138 elif key == QtCore.Qt.Key_F:
1138 elif key == QtCore.Qt.Key_F:
1139 self._set_cursor(self._get_word_end_cursor(position))
1139 self._set_cursor(self._get_word_end_cursor(position))
1140 intercepted = True
1140 intercepted = True
1141
1141
1142 elif key == QtCore.Qt.Key_Y:
1142 elif key == QtCore.Qt.Key_Y:
1143 self._kill_ring.rotate()
1143 self._kill_ring.rotate()
1144 intercepted = True
1144 intercepted = True
1145
1145
1146 elif key == QtCore.Qt.Key_Backspace:
1146 elif key == QtCore.Qt.Key_Backspace:
1147 cursor = self._get_word_start_cursor(position)
1147 cursor = self._get_word_start_cursor(position)
1148 cursor.setPosition(position, QtGui.QTextCursor.KeepAnchor)
1148 cursor.setPosition(position, QtGui.QTextCursor.KeepAnchor)
1149 self._kill_ring.kill_cursor(cursor)
1149 self._kill_ring.kill_cursor(cursor)
1150 intercepted = True
1150 intercepted = True
1151
1151
1152 elif key == QtCore.Qt.Key_D:
1152 elif key == QtCore.Qt.Key_D:
1153 cursor = self._get_word_end_cursor(position)
1153 cursor = self._get_word_end_cursor(position)
1154 cursor.setPosition(position, QtGui.QTextCursor.KeepAnchor)
1154 cursor.setPosition(position, QtGui.QTextCursor.KeepAnchor)
1155 self._kill_ring.kill_cursor(cursor)
1155 self._kill_ring.kill_cursor(cursor)
1156 intercepted = True
1156 intercepted = True
1157
1157
1158 elif key == QtCore.Qt.Key_Delete:
1158 elif key == QtCore.Qt.Key_Delete:
1159 intercepted = True
1159 intercepted = True
1160
1160
1161 elif key == QtCore.Qt.Key_Greater:
1161 elif key == QtCore.Qt.Key_Greater:
1162 self._control.moveCursor(QtGui.QTextCursor.End)
1162 self._control.moveCursor(QtGui.QTextCursor.End)
1163 intercepted = True
1163 intercepted = True
1164
1164
1165 elif key == QtCore.Qt.Key_Less:
1165 elif key == QtCore.Qt.Key_Less:
1166 self._control.setTextCursor(self._get_prompt_cursor())
1166 self._control.setTextCursor(self._get_prompt_cursor())
1167 intercepted = True
1167 intercepted = True
1168
1168
1169 #------ No modifiers ---------------------------------------------------
1169 #------ No modifiers ---------------------------------------------------
1170
1170
1171 else:
1171 else:
1172 if shift_down:
1172 if shift_down:
1173 anchormode = QtGui.QTextCursor.KeepAnchor
1173 anchormode = QtGui.QTextCursor.KeepAnchor
1174 else:
1174 else:
1175 anchormode = QtGui.QTextCursor.MoveAnchor
1175 anchormode = QtGui.QTextCursor.MoveAnchor
1176
1176
1177 if key == QtCore.Qt.Key_Escape:
1177 if key == QtCore.Qt.Key_Escape:
1178 self._keyboard_quit()
1178 self._keyboard_quit()
1179 intercepted = True
1179 intercepted = True
1180
1180
1181 elif key == QtCore.Qt.Key_Up:
1181 elif key == QtCore.Qt.Key_Up:
1182 if self._reading or not self._up_pressed(shift_down):
1182 if self._reading or not self._up_pressed(shift_down):
1183 intercepted = True
1183 intercepted = True
1184 else:
1184 else:
1185 prompt_line = self._get_prompt_cursor().blockNumber()
1185 prompt_line = self._get_prompt_cursor().blockNumber()
1186 intercepted = cursor.blockNumber() <= prompt_line
1186 intercepted = cursor.blockNumber() <= prompt_line
1187
1187
1188 elif key == QtCore.Qt.Key_Down:
1188 elif key == QtCore.Qt.Key_Down:
1189 if self._reading or not self._down_pressed(shift_down):
1189 if self._reading or not self._down_pressed(shift_down):
1190 intercepted = True
1190 intercepted = True
1191 else:
1191 else:
1192 end_line = self._get_end_cursor().blockNumber()
1192 end_line = self._get_end_cursor().blockNumber()
1193 intercepted = cursor.blockNumber() == end_line
1193 intercepted = cursor.blockNumber() == end_line
1194
1194
1195 elif key == QtCore.Qt.Key_Tab:
1195 elif key == QtCore.Qt.Key_Tab:
1196 if not self._reading:
1196 if not self._reading:
1197 if self._tab_pressed():
1197 if self._tab_pressed():
1198 # real tab-key, insert four spaces
1198 # real tab-key, insert four spaces
1199 cursor.insertText(' '*4)
1199 cursor.insertText(' '*4)
1200 intercepted = True
1200 intercepted = True
1201
1201
1202 elif key == QtCore.Qt.Key_Left:
1202 elif key == QtCore.Qt.Key_Left:
1203
1203
1204 # Move to the previous line
1204 # Move to the previous line
1205 line, col = cursor.blockNumber(), cursor.columnNumber()
1205 line, col = cursor.blockNumber(), cursor.columnNumber()
1206 if line > self._get_prompt_cursor().blockNumber() and \
1206 if line > self._get_prompt_cursor().blockNumber() and \
1207 col == len(self._continuation_prompt):
1207 col == len(self._continuation_prompt):
1208 self._control.moveCursor(QtGui.QTextCursor.PreviousBlock,
1208 self._control.moveCursor(QtGui.QTextCursor.PreviousBlock,
1209 mode=anchormode)
1209 mode=anchormode)
1210 self._control.moveCursor(QtGui.QTextCursor.EndOfBlock,
1210 self._control.moveCursor(QtGui.QTextCursor.EndOfBlock,
1211 mode=anchormode)
1211 mode=anchormode)
1212 intercepted = True
1212 intercepted = True
1213
1213
1214 # Regular left movement
1214 # Regular left movement
1215 else:
1215 else:
1216 intercepted = not self._in_buffer(position - 1)
1216 intercepted = not self._in_buffer(position - 1)
1217
1217
1218 elif key == QtCore.Qt.Key_Right:
1218 elif key == QtCore.Qt.Key_Right:
1219 original_block_number = cursor.blockNumber()
1219 original_block_number = cursor.blockNumber()
1220 cursor.movePosition(QtGui.QTextCursor.Right,
1220 cursor.movePosition(QtGui.QTextCursor.Right,
1221 mode=anchormode)
1221 mode=anchormode)
1222 if cursor.blockNumber() != original_block_number:
1222 if cursor.blockNumber() != original_block_number:
1223 cursor.movePosition(QtGui.QTextCursor.Right,
1223 cursor.movePosition(QtGui.QTextCursor.Right,
1224 n=len(self._continuation_prompt),
1224 n=len(self._continuation_prompt),
1225 mode=anchormode)
1225 mode=anchormode)
1226 self._set_cursor(cursor)
1226 self._set_cursor(cursor)
1227 intercepted = True
1227 intercepted = True
1228
1228
1229 elif key == QtCore.Qt.Key_Home:
1229 elif key == QtCore.Qt.Key_Home:
1230 start_line = cursor.blockNumber()
1230 start_line = cursor.blockNumber()
1231 if start_line == self._get_prompt_cursor().blockNumber():
1231 if start_line == self._get_prompt_cursor().blockNumber():
1232 start_pos = self._prompt_pos
1232 start_pos = self._prompt_pos
1233 else:
1233 else:
1234 cursor.movePosition(QtGui.QTextCursor.StartOfBlock,
1234 cursor.movePosition(QtGui.QTextCursor.StartOfBlock,
1235 QtGui.QTextCursor.KeepAnchor)
1235 QtGui.QTextCursor.KeepAnchor)
1236 start_pos = cursor.position()
1236 start_pos = cursor.position()
1237 start_pos += len(self._continuation_prompt)
1237 start_pos += len(self._continuation_prompt)
1238 cursor.setPosition(position)
1238 cursor.setPosition(position)
1239 if shift_down and self._in_buffer(position):
1239 if shift_down and self._in_buffer(position):
1240 cursor.setPosition(start_pos, QtGui.QTextCursor.KeepAnchor)
1240 cursor.setPosition(start_pos, QtGui.QTextCursor.KeepAnchor)
1241 else:
1241 else:
1242 cursor.setPosition(start_pos)
1242 cursor.setPosition(start_pos)
1243 self._set_cursor(cursor)
1243 self._set_cursor(cursor)
1244 intercepted = True
1244 intercepted = True
1245
1245
1246 elif key == QtCore.Qt.Key_Backspace:
1246 elif key == QtCore.Qt.Key_Backspace:
1247
1247
1248 # Line deletion (remove continuation prompt)
1248 # Line deletion (remove continuation prompt)
1249 line, col = cursor.blockNumber(), cursor.columnNumber()
1249 line, col = cursor.blockNumber(), cursor.columnNumber()
1250 if not self._reading and \
1250 if not self._reading and \
1251 col == len(self._continuation_prompt) and \
1251 col == len(self._continuation_prompt) and \
1252 line > self._get_prompt_cursor().blockNumber():
1252 line > self._get_prompt_cursor().blockNumber():
1253 cursor.beginEditBlock()
1253 cursor.beginEditBlock()
1254 cursor.movePosition(QtGui.QTextCursor.StartOfBlock,
1254 cursor.movePosition(QtGui.QTextCursor.StartOfBlock,
1255 QtGui.QTextCursor.KeepAnchor)
1255 QtGui.QTextCursor.KeepAnchor)
1256 cursor.removeSelectedText()
1256 cursor.removeSelectedText()
1257 cursor.deletePreviousChar()
1257 cursor.deletePreviousChar()
1258 cursor.endEditBlock()
1258 cursor.endEditBlock()
1259 intercepted = True
1259 intercepted = True
1260
1260
1261 # Regular backwards deletion
1261 # Regular backwards deletion
1262 else:
1262 else:
1263 anchor = cursor.anchor()
1263 anchor = cursor.anchor()
1264 if anchor == position:
1264 if anchor == position:
1265 intercepted = not self._in_buffer(position - 1)
1265 intercepted = not self._in_buffer(position - 1)
1266 else:
1266 else:
1267 intercepted = not self._in_buffer(min(anchor, position))
1267 intercepted = not self._in_buffer(min(anchor, position))
1268
1268
1269 elif key == QtCore.Qt.Key_Delete:
1269 elif key == QtCore.Qt.Key_Delete:
1270
1270
1271 # Line deletion (remove continuation prompt)
1271 # Line deletion (remove continuation prompt)
1272 if not self._reading and self._in_buffer(position) and \
1272 if not self._reading and self._in_buffer(position) and \
1273 cursor.atBlockEnd() and not cursor.hasSelection():
1273 cursor.atBlockEnd() and not cursor.hasSelection():
1274 cursor.movePosition(QtGui.QTextCursor.NextBlock,
1274 cursor.movePosition(QtGui.QTextCursor.NextBlock,
1275 QtGui.QTextCursor.KeepAnchor)
1275 QtGui.QTextCursor.KeepAnchor)
1276 cursor.movePosition(QtGui.QTextCursor.Right,
1276 cursor.movePosition(QtGui.QTextCursor.Right,
1277 QtGui.QTextCursor.KeepAnchor,
1277 QtGui.QTextCursor.KeepAnchor,
1278 len(self._continuation_prompt))
1278 len(self._continuation_prompt))
1279 cursor.removeSelectedText()
1279 cursor.removeSelectedText()
1280 intercepted = True
1280 intercepted = True
1281
1281
1282 # Regular forwards deletion:
1282 # Regular forwards deletion:
1283 else:
1283 else:
1284 anchor = cursor.anchor()
1284 anchor = cursor.anchor()
1285 intercepted = (not self._in_buffer(anchor) or
1285 intercepted = (not self._in_buffer(anchor) or
1286 not self._in_buffer(position))
1286 not self._in_buffer(position))
1287
1287
1288 # Don't move the cursor if Control/Cmd is pressed to allow copy-paste
1288 # Don't move the cursor if Control/Cmd is pressed to allow copy-paste
1289 # using the keyboard in any part of the buffer. Also, permit scrolling
1289 # using the keyboard in any part of the buffer. Also, permit scrolling
1290 # with Page Up/Down keys. Finally, if we're executing, don't move the
1290 # with Page Up/Down keys. Finally, if we're executing, don't move the
1291 # cursor (if even this made sense, we can't guarantee that the prompt
1291 # cursor (if even this made sense, we can't guarantee that the prompt
1292 # position is still valid due to text truncation).
1292 # position is still valid due to text truncation).
1293 if not (self._control_key_down(event.modifiers(), include_command=True)
1293 if not (self._control_key_down(event.modifiers(), include_command=True)
1294 or key in (QtCore.Qt.Key_PageUp, QtCore.Qt.Key_PageDown)
1294 or key in (QtCore.Qt.Key_PageUp, QtCore.Qt.Key_PageDown)
1295 or (self._executing and not self._reading)):
1295 or (self._executing and not self._reading)):
1296 self._keep_cursor_in_buffer()
1296 self._keep_cursor_in_buffer()
1297
1297
1298 return intercepted
1298 return intercepted
1299
1299
1300 def _event_filter_page_keypress(self, event):
1300 def _event_filter_page_keypress(self, event):
1301 """ Filter key events for the paging widget to create console-like
1301 """ Filter key events for the paging widget to create console-like
1302 interface.
1302 interface.
1303 """
1303 """
1304 key = event.key()
1304 key = event.key()
1305 ctrl_down = self._control_key_down(event.modifiers())
1305 ctrl_down = self._control_key_down(event.modifiers())
1306 alt_down = event.modifiers() & QtCore.Qt.AltModifier
1306 alt_down = event.modifiers() & QtCore.Qt.AltModifier
1307
1307
1308 if ctrl_down:
1308 if ctrl_down:
1309 if key == QtCore.Qt.Key_O:
1309 if key == QtCore.Qt.Key_O:
1310 self._control.setFocus()
1310 self._control.setFocus()
1311 intercept = True
1311 intercept = True
1312
1312
1313 elif alt_down:
1313 elif alt_down:
1314 if key == QtCore.Qt.Key_Greater:
1314 if key == QtCore.Qt.Key_Greater:
1315 self._page_control.moveCursor(QtGui.QTextCursor.End)
1315 self._page_control.moveCursor(QtGui.QTextCursor.End)
1316 intercepted = True
1316 intercepted = True
1317
1317
1318 elif key == QtCore.Qt.Key_Less:
1318 elif key == QtCore.Qt.Key_Less:
1319 self._page_control.moveCursor(QtGui.QTextCursor.Start)
1319 self._page_control.moveCursor(QtGui.QTextCursor.Start)
1320 intercepted = True
1320 intercepted = True
1321
1321
1322 elif key in (QtCore.Qt.Key_Q, QtCore.Qt.Key_Escape):
1322 elif key in (QtCore.Qt.Key_Q, QtCore.Qt.Key_Escape):
1323 if self._splitter:
1323 if self._splitter:
1324 self._page_control.hide()
1324 self._page_control.hide()
1325 self._control.setFocus()
1325 self._control.setFocus()
1326 else:
1326 else:
1327 self.layout().setCurrentWidget(self._control)
1327 self.layout().setCurrentWidget(self._control)
1328 return True
1328 return True
1329
1329
1330 elif key in (QtCore.Qt.Key_Enter, QtCore.Qt.Key_Return,
1330 elif key in (QtCore.Qt.Key_Enter, QtCore.Qt.Key_Return,
1331 QtCore.Qt.Key_Tab):
1331 QtCore.Qt.Key_Tab):
1332 new_event = QtGui.QKeyEvent(QtCore.QEvent.KeyPress,
1332 new_event = QtGui.QKeyEvent(QtCore.QEvent.KeyPress,
1333 QtCore.Qt.Key_PageDown,
1333 QtCore.Qt.Key_PageDown,
1334 QtCore.Qt.NoModifier)
1334 QtCore.Qt.NoModifier)
1335 QtGui.qApp.sendEvent(self._page_control, new_event)
1335 QtGui.qApp.sendEvent(self._page_control, new_event)
1336 return True
1336 return True
1337
1337
1338 elif key == QtCore.Qt.Key_Backspace:
1338 elif key == QtCore.Qt.Key_Backspace:
1339 new_event = QtGui.QKeyEvent(QtCore.QEvent.KeyPress,
1339 new_event = QtGui.QKeyEvent(QtCore.QEvent.KeyPress,
1340 QtCore.Qt.Key_PageUp,
1340 QtCore.Qt.Key_PageUp,
1341 QtCore.Qt.NoModifier)
1341 QtCore.Qt.NoModifier)
1342 QtGui.qApp.sendEvent(self._page_control, new_event)
1342 QtGui.qApp.sendEvent(self._page_control, new_event)
1343 return True
1343 return True
1344
1344
1345 return False
1345 return False
1346
1346
1347 def _format_as_columns(self, items, separator=' '):
1347 def _format_as_columns(self, items, separator=' '):
1348 """ Transform a list of strings into a single string with columns.
1348 """ Transform a list of strings into a single string with columns.
1349
1349
1350 Parameters
1350 Parameters
1351 ----------
1351 ----------
1352 items : sequence of strings
1352 items : sequence of strings
1353 The strings to process.
1353 The strings to process.
1354
1354
1355 separator : str, optional [default is two spaces]
1355 separator : str, optional [default is two spaces]
1356 The string that separates columns.
1356 The string that separates columns.
1357
1357
1358 Returns
1358 Returns
1359 -------
1359 -------
1360 The formatted string.
1360 The formatted string.
1361 """
1361 """
1362 # Calculate the number of characters available.
1362 # Calculate the number of characters available.
1363 width = self._control.viewport().width()
1363 width = self._control.viewport().width()
1364 char_width = QtGui.QFontMetrics(self.font).width(' ')
1364 char_width = QtGui.QFontMetrics(self.font).width(' ')
1365 displaywidth = max(10, (width / char_width) - 1)
1365 displaywidth = max(10, (width / char_width) - 1)
1366
1366
1367 return columnize(items, separator, displaywidth)
1367 return columnize(items, separator, displaywidth)
1368
1368
1369 def _get_block_plain_text(self, block):
1369 def _get_block_plain_text(self, block):
1370 """ Given a QTextBlock, return its unformatted text.
1370 """ Given a QTextBlock, return its unformatted text.
1371 """
1371 """
1372 cursor = QtGui.QTextCursor(block)
1372 cursor = QtGui.QTextCursor(block)
1373 cursor.movePosition(QtGui.QTextCursor.StartOfBlock)
1373 cursor.movePosition(QtGui.QTextCursor.StartOfBlock)
1374 cursor.movePosition(QtGui.QTextCursor.EndOfBlock,
1374 cursor.movePosition(QtGui.QTextCursor.EndOfBlock,
1375 QtGui.QTextCursor.KeepAnchor)
1375 QtGui.QTextCursor.KeepAnchor)
1376 return cursor.selection().toPlainText()
1376 return cursor.selection().toPlainText()
1377
1377
1378 def _get_cursor(self):
1378 def _get_cursor(self):
1379 """ Convenience method that returns a cursor for the current position.
1379 """ Convenience method that returns a cursor for the current position.
1380 """
1380 """
1381 return self._control.textCursor()
1381 return self._control.textCursor()
1382
1382
1383 def _get_end_cursor(self):
1383 def _get_end_cursor(self):
1384 """ Convenience method that returns a cursor for the last character.
1384 """ Convenience method that returns a cursor for the last character.
1385 """
1385 """
1386 cursor = self._control.textCursor()
1386 cursor = self._control.textCursor()
1387 cursor.movePosition(QtGui.QTextCursor.End)
1387 cursor.movePosition(QtGui.QTextCursor.End)
1388 return cursor
1388 return cursor
1389
1389
1390 def _get_input_buffer_cursor_column(self):
1390 def _get_input_buffer_cursor_column(self):
1391 """ Returns the column of the cursor in the input buffer, excluding the
1391 """ Returns the column of the cursor in the input buffer, excluding the
1392 contribution by the prompt, or -1 if there is no such column.
1392 contribution by the prompt, or -1 if there is no such column.
1393 """
1393 """
1394 prompt = self._get_input_buffer_cursor_prompt()
1394 prompt = self._get_input_buffer_cursor_prompt()
1395 if prompt is None:
1395 if prompt is None:
1396 return -1
1396 return -1
1397 else:
1397 else:
1398 cursor = self._control.textCursor()
1398 cursor = self._control.textCursor()
1399 return cursor.columnNumber() - len(prompt)
1399 return cursor.columnNumber() - len(prompt)
1400
1400
1401 def _get_input_buffer_cursor_line(self):
1401 def _get_input_buffer_cursor_line(self):
1402 """ Returns the text of the line of the input buffer that contains the
1402 """ Returns the text of the line of the input buffer that contains the
1403 cursor, or None if there is no such line.
1403 cursor, or None if there is no such line.
1404 """
1404 """
1405 prompt = self._get_input_buffer_cursor_prompt()
1405 prompt = self._get_input_buffer_cursor_prompt()
1406 if prompt is None:
1406 if prompt is None:
1407 return None
1407 return None
1408 else:
1408 else:
1409 cursor = self._control.textCursor()
1409 cursor = self._control.textCursor()
1410 text = self._get_block_plain_text(cursor.block())
1410 text = self._get_block_plain_text(cursor.block())
1411 return text[len(prompt):]
1411 return text[len(prompt):]
1412
1412
1413 def _get_input_buffer_cursor_prompt(self):
1413 def _get_input_buffer_cursor_prompt(self):
1414 """ Returns the (plain text) prompt for line of the input buffer that
1414 """ Returns the (plain text) prompt for line of the input buffer that
1415 contains the cursor, or None if there is no such line.
1415 contains the cursor, or None if there is no such line.
1416 """
1416 """
1417 if self._executing:
1417 if self._executing:
1418 return None
1418 return None
1419 cursor = self._control.textCursor()
1419 cursor = self._control.textCursor()
1420 if cursor.position() >= self._prompt_pos:
1420 if cursor.position() >= self._prompt_pos:
1421 if cursor.blockNumber() == self._get_prompt_cursor().blockNumber():
1421 if cursor.blockNumber() == self._get_prompt_cursor().blockNumber():
1422 return self._prompt
1422 return self._prompt
1423 else:
1423 else:
1424 return self._continuation_prompt
1424 return self._continuation_prompt
1425 else:
1425 else:
1426 return None
1426 return None
1427
1427
1428 def _get_prompt_cursor(self):
1428 def _get_prompt_cursor(self):
1429 """ Convenience method that returns a cursor for the prompt position.
1429 """ Convenience method that returns a cursor for the prompt position.
1430 """
1430 """
1431 cursor = self._control.textCursor()
1431 cursor = self._control.textCursor()
1432 cursor.setPosition(self._prompt_pos)
1432 cursor.setPosition(self._prompt_pos)
1433 return cursor
1433 return cursor
1434
1434
1435 def _get_selection_cursor(self, start, end):
1435 def _get_selection_cursor(self, start, end):
1436 """ Convenience method that returns a cursor with text selected between
1436 """ Convenience method that returns a cursor with text selected between
1437 the positions 'start' and 'end'.
1437 the positions 'start' and 'end'.
1438 """
1438 """
1439 cursor = self._control.textCursor()
1439 cursor = self._control.textCursor()
1440 cursor.setPosition(start)
1440 cursor.setPosition(start)
1441 cursor.setPosition(end, QtGui.QTextCursor.KeepAnchor)
1441 cursor.setPosition(end, QtGui.QTextCursor.KeepAnchor)
1442 return cursor
1442 return cursor
1443
1443
1444 def _get_word_start_cursor(self, position):
1444 def _get_word_start_cursor(self, position):
1445 """ Find the start of the word to the left the given position. If a
1445 """ Find the start of the word to the left the given position. If a
1446 sequence of non-word characters precedes the first word, skip over
1446 sequence of non-word characters precedes the first word, skip over
1447 them. (This emulates the behavior of bash, emacs, etc.)
1447 them. (This emulates the behavior of bash, emacs, etc.)
1448 """
1448 """
1449 document = self._control.document()
1449 document = self._control.document()
1450 position -= 1
1450 position -= 1
1451 while position >= self._prompt_pos and \
1451 while position >= self._prompt_pos and \
1452 not is_letter_or_number(document.characterAt(position)):
1452 not is_letter_or_number(document.characterAt(position)):
1453 position -= 1
1453 position -= 1
1454 while position >= self._prompt_pos and \
1454 while position >= self._prompt_pos and \
1455 is_letter_or_number(document.characterAt(position)):
1455 is_letter_or_number(document.characterAt(position)):
1456 position -= 1
1456 position -= 1
1457 cursor = self._control.textCursor()
1457 cursor = self._control.textCursor()
1458 cursor.setPosition(position + 1)
1458 cursor.setPosition(position + 1)
1459 return cursor
1459 return cursor
1460
1460
1461 def _get_word_end_cursor(self, position):
1461 def _get_word_end_cursor(self, position):
1462 """ Find the end of the word to the right the given position. If a
1462 """ Find the end of the word to the right the given position. If a
1463 sequence of non-word characters precedes the first word, skip over
1463 sequence of non-word characters precedes the first word, skip over
1464 them. (This emulates the behavior of bash, emacs, etc.)
1464 them. (This emulates the behavior of bash, emacs, etc.)
1465 """
1465 """
1466 document = self._control.document()
1466 document = self._control.document()
1467 end = self._get_end_cursor().position()
1467 end = self._get_end_cursor().position()
1468 while position < end and \
1468 while position < end and \
1469 not is_letter_or_number(document.characterAt(position)):
1469 not is_letter_or_number(document.characterAt(position)):
1470 position += 1
1470 position += 1
1471 while position < end and \
1471 while position < end and \
1472 is_letter_or_number(document.characterAt(position)):
1472 is_letter_or_number(document.characterAt(position)):
1473 position += 1
1473 position += 1
1474 cursor = self._control.textCursor()
1474 cursor = self._control.textCursor()
1475 cursor.setPosition(position)
1475 cursor.setPosition(position)
1476 return cursor
1476 return cursor
1477
1477
1478 def _insert_continuation_prompt(self, cursor):
1478 def _insert_continuation_prompt(self, cursor):
1479 """ Inserts new continuation prompt using the specified cursor.
1479 """ Inserts new continuation prompt using the specified cursor.
1480 """
1480 """
1481 if self._continuation_prompt_html is None:
1481 if self._continuation_prompt_html is None:
1482 self._insert_plain_text(cursor, self._continuation_prompt)
1482 self._insert_plain_text(cursor, self._continuation_prompt)
1483 else:
1483 else:
1484 self._continuation_prompt = self._insert_html_fetching_plain_text(
1484 self._continuation_prompt = self._insert_html_fetching_plain_text(
1485 cursor, self._continuation_prompt_html)
1485 cursor, self._continuation_prompt_html)
1486
1486
1487 def _insert_html(self, cursor, html):
1487 def _insert_html(self, cursor, html):
1488 """ Inserts HTML using the specified cursor in such a way that future
1488 """ Inserts HTML using the specified cursor in such a way that future
1489 formatting is unaffected.
1489 formatting is unaffected.
1490 """
1490 """
1491 cursor.beginEditBlock()
1491 cursor.beginEditBlock()
1492 cursor.insertHtml(html)
1492 cursor.insertHtml(html)
1493
1493
1494 # After inserting HTML, the text document "remembers" it's in "html
1494 # After inserting HTML, the text document "remembers" it's in "html
1495 # mode", which means that subsequent calls adding plain text will result
1495 # mode", which means that subsequent calls adding plain text will result
1496 # in unwanted formatting, lost tab characters, etc. The following code
1496 # in unwanted formatting, lost tab characters, etc. The following code
1497 # hacks around this behavior, which I consider to be a bug in Qt, by
1497 # hacks around this behavior, which I consider to be a bug in Qt, by
1498 # (crudely) resetting the document's style state.
1498 # (crudely) resetting the document's style state.
1499 cursor.movePosition(QtGui.QTextCursor.Left,
1499 cursor.movePosition(QtGui.QTextCursor.Left,
1500 QtGui.QTextCursor.KeepAnchor)
1500 QtGui.QTextCursor.KeepAnchor)
1501 if cursor.selection().toPlainText() == ' ':
1501 if cursor.selection().toPlainText() == ' ':
1502 cursor.removeSelectedText()
1502 cursor.removeSelectedText()
1503 else:
1503 else:
1504 cursor.movePosition(QtGui.QTextCursor.Right)
1504 cursor.movePosition(QtGui.QTextCursor.Right)
1505 cursor.insertText(' ', QtGui.QTextCharFormat())
1505 cursor.insertText(' ', QtGui.QTextCharFormat())
1506 cursor.endEditBlock()
1506 cursor.endEditBlock()
1507
1507
1508 def _insert_html_fetching_plain_text(self, cursor, html):
1508 def _insert_html_fetching_plain_text(self, cursor, html):
1509 """ Inserts HTML using the specified cursor, then returns its plain text
1509 """ Inserts HTML using the specified cursor, then returns its plain text
1510 version.
1510 version.
1511 """
1511 """
1512 cursor.beginEditBlock()
1512 cursor.beginEditBlock()
1513 cursor.removeSelectedText()
1513 cursor.removeSelectedText()
1514
1514
1515 start = cursor.position()
1515 start = cursor.position()
1516 self._insert_html(cursor, html)
1516 self._insert_html(cursor, html)
1517 end = cursor.position()
1517 end = cursor.position()
1518 cursor.setPosition(start, QtGui.QTextCursor.KeepAnchor)
1518 cursor.setPosition(start, QtGui.QTextCursor.KeepAnchor)
1519 text = cursor.selection().toPlainText()
1519 text = cursor.selection().toPlainText()
1520
1520
1521 cursor.setPosition(end)
1521 cursor.setPosition(end)
1522 cursor.endEditBlock()
1522 cursor.endEditBlock()
1523 return text
1523 return text
1524
1524
1525 def _insert_plain_text(self, cursor, text):
1525 def _insert_plain_text(self, cursor, text):
1526 """ Inserts plain text using the specified cursor, processing ANSI codes
1526 """ Inserts plain text using the specified cursor, processing ANSI codes
1527 if enabled.
1527 if enabled.
1528 """
1528 """
1529 cursor.beginEditBlock()
1529 cursor.beginEditBlock()
1530 if self.ansi_codes:
1530 if self.ansi_codes:
1531 for substring in self._ansi_processor.split_string(text):
1531 for substring in self._ansi_processor.split_string(text):
1532 for act in self._ansi_processor.actions:
1532 for act in self._ansi_processor.actions:
1533
1533
1534 # Unlike real terminal emulators, we don't distinguish
1534 # Unlike real terminal emulators, we don't distinguish
1535 # between the screen and the scrollback buffer. A screen
1535 # between the screen and the scrollback buffer. A screen
1536 # erase request clears everything.
1536 # erase request clears everything.
1537 if act.action == 'erase' and act.area == 'screen':
1537 if act.action == 'erase' and act.area == 'screen':
1538 cursor.select(QtGui.QTextCursor.Document)
1538 cursor.select(QtGui.QTextCursor.Document)
1539 cursor.removeSelectedText()
1539 cursor.removeSelectedText()
1540
1540
1541 # Simulate a form feed by scrolling just past the last line.
1541 # Simulate a form feed by scrolling just past the last line.
1542 elif act.action == 'scroll' and act.unit == 'page':
1542 elif act.action == 'scroll' and act.unit == 'page':
1543 cursor.insertText('\n')
1543 cursor.insertText('\n')
1544 cursor.endEditBlock()
1544 cursor.endEditBlock()
1545 self._set_top_cursor(cursor)
1545 self._set_top_cursor(cursor)
1546 cursor.joinPreviousEditBlock()
1546 cursor.joinPreviousEditBlock()
1547 cursor.deletePreviousChar()
1547 cursor.deletePreviousChar()
1548
1548
1549 elif act.action == 'carriage-return':
1549 elif act.action == 'carriage-return':
1550 cursor.movePosition(
1550 cursor.movePosition(
1551 cursor.StartOfLine, cursor.KeepAnchor)
1551 cursor.StartOfLine, cursor.KeepAnchor)
1552
1552
1553 elif act.action == 'beep':
1553 elif act.action == 'beep':
1554 QtGui.qApp.beep()
1554 QtGui.qApp.beep()
1555
1555
1556 elif act.action == 'backspace':
1556 elif act.action == 'backspace':
1557 if not cursor.atBlockStart():
1557 if not cursor.atBlockStart():
1558 cursor.movePosition(
1558 cursor.movePosition(
1559 cursor.PreviousCharacter, cursor.KeepAnchor)
1559 cursor.PreviousCharacter, cursor.KeepAnchor)
1560
1560
1561 elif act.action == 'newline':
1561 elif act.action == 'newline':
1562 cursor.movePosition(cursor.EndOfLine)
1562 cursor.movePosition(cursor.EndOfLine)
1563
1563
1564 format = self._ansi_processor.get_format()
1564 format = self._ansi_processor.get_format()
1565
1565
1566 selection = cursor.selectedText()
1566 selection = cursor.selectedText()
1567 if len(selection) == 0:
1567 if len(selection) == 0:
1568 cursor.insertText(substring, format)
1568 cursor.insertText(substring, format)
1569 elif substring is not None:
1569 elif substring is not None:
1570 # BS and CR are treated as a change in print
1570 # BS and CR are treated as a change in print
1571 # position, rather than a backwards character
1571 # position, rather than a backwards character
1572 # deletion for output equivalence with (I)Python
1572 # deletion for output equivalence with (I)Python
1573 # terminal.
1573 # terminal.
1574 if len(substring) >= len(selection):
1574 if len(substring) >= len(selection):
1575 cursor.insertText(substring, format)
1575 cursor.insertText(substring, format)
1576 else:
1576 else:
1577 old_text = selection[len(substring):]
1577 old_text = selection[len(substring):]
1578 cursor.insertText(substring + old_text, format)
1578 cursor.insertText(substring + old_text, format)
1579 cursor.movePosition(cursor.PreviousCharacter,
1579 cursor.movePosition(cursor.PreviousCharacter,
1580 cursor.KeepAnchor, len(old_text))
1580 cursor.KeepAnchor, len(old_text))
1581 else:
1581 else:
1582 cursor.insertText(text)
1582 cursor.insertText(text)
1583 cursor.endEditBlock()
1583 cursor.endEditBlock()
1584
1584
1585 def _insert_plain_text_into_buffer(self, cursor, text):
1585 def _insert_plain_text_into_buffer(self, cursor, text):
1586 """ Inserts text into the input buffer using the specified cursor (which
1586 """ Inserts text into the input buffer using the specified cursor (which
1587 must be in the input buffer), ensuring that continuation prompts are
1587 must be in the input buffer), ensuring that continuation prompts are
1588 inserted as necessary.
1588 inserted as necessary.
1589 """
1589 """
1590 lines = text.splitlines(True)
1590 lines = text.splitlines(True)
1591 if lines:
1591 if lines:
1592 cursor.beginEditBlock()
1592 cursor.beginEditBlock()
1593 cursor.insertText(lines[0])
1593 cursor.insertText(lines[0])
1594 for line in lines[1:]:
1594 for line in lines[1:]:
1595 if self._continuation_prompt_html is None:
1595 if self._continuation_prompt_html is None:
1596 cursor.insertText(self._continuation_prompt)
1596 cursor.insertText(self._continuation_prompt)
1597 else:
1597 else:
1598 self._continuation_prompt = \
1598 self._continuation_prompt = \
1599 self._insert_html_fetching_plain_text(
1599 self._insert_html_fetching_plain_text(
1600 cursor, self._continuation_prompt_html)
1600 cursor, self._continuation_prompt_html)
1601 cursor.insertText(line)
1601 cursor.insertText(line)
1602 cursor.endEditBlock()
1602 cursor.endEditBlock()
1603
1603
1604 def _in_buffer(self, position=None):
1604 def _in_buffer(self, position=None):
1605 """ Returns whether the current cursor (or, if specified, a position) is
1605 """ Returns whether the current cursor (or, if specified, a position) is
1606 inside the editing region.
1606 inside the editing region.
1607 """
1607 """
1608 cursor = self._control.textCursor()
1608 cursor = self._control.textCursor()
1609 if position is None:
1609 if position is None:
1610 position = cursor.position()
1610 position = cursor.position()
1611 else:
1611 else:
1612 cursor.setPosition(position)
1612 cursor.setPosition(position)
1613 line = cursor.blockNumber()
1613 line = cursor.blockNumber()
1614 prompt_line = self._get_prompt_cursor().blockNumber()
1614 prompt_line = self._get_prompt_cursor().blockNumber()
1615 if line == prompt_line:
1615 if line == prompt_line:
1616 return position >= self._prompt_pos
1616 return position >= self._prompt_pos
1617 elif line > prompt_line:
1617 elif line > prompt_line:
1618 cursor.movePosition(QtGui.QTextCursor.StartOfBlock)
1618 cursor.movePosition(QtGui.QTextCursor.StartOfBlock)
1619 prompt_pos = cursor.position() + len(self._continuation_prompt)
1619 prompt_pos = cursor.position() + len(self._continuation_prompt)
1620 return position >= prompt_pos
1620 return position >= prompt_pos
1621 return False
1621 return False
1622
1622
1623 def _keep_cursor_in_buffer(self):
1623 def _keep_cursor_in_buffer(self):
1624 """ Ensures that the cursor is inside the editing region. Returns
1624 """ Ensures that the cursor is inside the editing region. Returns
1625 whether the cursor was moved.
1625 whether the cursor was moved.
1626 """
1626 """
1627 moved = not self._in_buffer()
1627 moved = not self._in_buffer()
1628 if moved:
1628 if moved:
1629 cursor = self._control.textCursor()
1629 cursor = self._control.textCursor()
1630 cursor.movePosition(QtGui.QTextCursor.End)
1630 cursor.movePosition(QtGui.QTextCursor.End)
1631 self._control.setTextCursor(cursor)
1631 self._control.setTextCursor(cursor)
1632 return moved
1632 return moved
1633
1633
1634 def _keyboard_quit(self):
1634 def _keyboard_quit(self):
1635 """ Cancels the current editing task ala Ctrl-G in Emacs.
1635 """ Cancels the current editing task ala Ctrl-G in Emacs.
1636 """
1636 """
1637 if self._text_completing_pos:
1637 if self._text_completing_pos:
1638 self._cancel_text_completion()
1638 self._cancel_text_completion()
1639 else:
1639 else:
1640 self.input_buffer = ''
1640 self.input_buffer = ''
1641
1641
1642 def _page(self, text, html=False):
1642 def _page(self, text, html=False):
1643 """ Displays text using the pager if it exceeds the height of the
1643 """ Displays text using the pager if it exceeds the height of the
1644 viewport.
1644 viewport.
1645
1645
1646 Parameters:
1646 Parameters:
1647 -----------
1647 -----------
1648 html : bool, optional (default False)
1648 html : bool, optional (default False)
1649 If set, the text will be interpreted as HTML instead of plain text.
1649 If set, the text will be interpreted as HTML instead of plain text.
1650 """
1650 """
1651 line_height = QtGui.QFontMetrics(self.font).height()
1651 line_height = QtGui.QFontMetrics(self.font).height()
1652 minlines = self._control.viewport().height() / line_height
1652 minlines = self._control.viewport().height() / line_height
1653 if self.paging != 'none' and \
1653 if self.paging != 'none' and \
1654 re.match("(?:[^\n]*\n){%i}" % minlines, text):
1654 re.match("(?:[^\n]*\n){%i}" % minlines, text):
1655 if self.paging == 'custom':
1655 if self.paging == 'custom':
1656 self.custom_page_requested.emit(text)
1656 self.custom_page_requested.emit(text)
1657 else:
1657 else:
1658 self._page_control.clear()
1658 self._page_control.clear()
1659 cursor = self._page_control.textCursor()
1659 cursor = self._page_control.textCursor()
1660 if html:
1660 if html:
1661 self._insert_html(cursor, text)
1661 self._insert_html(cursor, text)
1662 else:
1662 else:
1663 self._insert_plain_text(cursor, text)
1663 self._insert_plain_text(cursor, text)
1664 self._page_control.moveCursor(QtGui.QTextCursor.Start)
1664 self._page_control.moveCursor(QtGui.QTextCursor.Start)
1665
1665
1666 self._page_control.viewport().resize(self._control.size())
1666 self._page_control.viewport().resize(self._control.size())
1667 if self._splitter:
1667 if self._splitter:
1668 self._page_control.show()
1668 self._page_control.show()
1669 self._page_control.setFocus()
1669 self._page_control.setFocus()
1670 else:
1670 else:
1671 self.layout().setCurrentWidget(self._page_control)
1671 self.layout().setCurrentWidget(self._page_control)
1672 elif html:
1672 elif html:
1673 self._append_plain_html(text)
1673 self._append_plain_html(text)
1674 else:
1674 else:
1675 self._append_plain_text(text)
1675 self._append_plain_text(text)
1676
1676
1677 def _set_paging(self, paging):
1678 """
1679 Change the pager to `paging` style.
1680
1681 XXX: currently, this is limited to switching between 'hsplit' and
1682 'vsplit'.
1683
1684 Parameters:
1685 -----------
1686 paging : string
1687 Either "hsplit", "vsplit", or "inside"
1688 """
1689 if self._splitter is None:
1690 raise NotImplementedError("""can only switch if --paging=hsplit or
1691 --paging=vsplit is used.""")
1692 if paging == 'hsplit':
1693 self._splitter.setOrientation(QtCore.Qt.Horizontal)
1694 elif paging == 'vsplit':
1695 self._splitter.setOrientation(QtCore.Qt.Vertical)
1696 elif paging == 'inside':
1697 raise NotImplementedError("""switching to 'inside' paging not
1698 supported yet.""")
1699 else:
1700 raise ValueError("unknown paging method '%s'" % paging)
1701 self.paging = paging
1702
1677 def _prompt_finished(self):
1703 def _prompt_finished(self):
1678 """ Called immediately after a prompt is finished, i.e. when some input
1704 """ Called immediately after a prompt is finished, i.e. when some input
1679 will be processed and a new prompt displayed.
1705 will be processed and a new prompt displayed.
1680 """
1706 """
1681 self._control.setReadOnly(True)
1707 self._control.setReadOnly(True)
1682 self._prompt_finished_hook()
1708 self._prompt_finished_hook()
1683
1709
1684 def _prompt_started(self):
1710 def _prompt_started(self):
1685 """ Called immediately after a new prompt is displayed.
1711 """ Called immediately after a new prompt is displayed.
1686 """
1712 """
1687 # Temporarily disable the maximum block count to permit undo/redo and
1713 # Temporarily disable the maximum block count to permit undo/redo and
1688 # to ensure that the prompt position does not change due to truncation.
1714 # to ensure that the prompt position does not change due to truncation.
1689 self._control.document().setMaximumBlockCount(0)
1715 self._control.document().setMaximumBlockCount(0)
1690 self._control.setUndoRedoEnabled(True)
1716 self._control.setUndoRedoEnabled(True)
1691
1717
1692 # Work around bug in QPlainTextEdit: input method is not re-enabled
1718 # Work around bug in QPlainTextEdit: input method is not re-enabled
1693 # when read-only is disabled.
1719 # when read-only is disabled.
1694 self._control.setReadOnly(False)
1720 self._control.setReadOnly(False)
1695 self._control.setAttribute(QtCore.Qt.WA_InputMethodEnabled, True)
1721 self._control.setAttribute(QtCore.Qt.WA_InputMethodEnabled, True)
1696
1722
1697 if not self._reading:
1723 if not self._reading:
1698 self._executing = False
1724 self._executing = False
1699 self._prompt_started_hook()
1725 self._prompt_started_hook()
1700
1726
1701 # If the input buffer has changed while executing, load it.
1727 # If the input buffer has changed while executing, load it.
1702 if self._input_buffer_pending:
1728 if self._input_buffer_pending:
1703 self.input_buffer = self._input_buffer_pending
1729 self.input_buffer = self._input_buffer_pending
1704 self._input_buffer_pending = ''
1730 self._input_buffer_pending = ''
1705
1731
1706 self._control.moveCursor(QtGui.QTextCursor.End)
1732 self._control.moveCursor(QtGui.QTextCursor.End)
1707
1733
1708 def _readline(self, prompt='', callback=None):
1734 def _readline(self, prompt='', callback=None):
1709 """ Reads one line of input from the user.
1735 """ Reads one line of input from the user.
1710
1736
1711 Parameters
1737 Parameters
1712 ----------
1738 ----------
1713 prompt : str, optional
1739 prompt : str, optional
1714 The prompt to print before reading the line.
1740 The prompt to print before reading the line.
1715
1741
1716 callback : callable, optional
1742 callback : callable, optional
1717 A callback to execute with the read line. If not specified, input is
1743 A callback to execute with the read line. If not specified, input is
1718 read *synchronously* and this method does not return until it has
1744 read *synchronously* and this method does not return until it has
1719 been read.
1745 been read.
1720
1746
1721 Returns
1747 Returns
1722 -------
1748 -------
1723 If a callback is specified, returns nothing. Otherwise, returns the
1749 If a callback is specified, returns nothing. Otherwise, returns the
1724 input string with the trailing newline stripped.
1750 input string with the trailing newline stripped.
1725 """
1751 """
1726 if self._reading:
1752 if self._reading:
1727 raise RuntimeError('Cannot read a line. Widget is already reading.')
1753 raise RuntimeError('Cannot read a line. Widget is already reading.')
1728
1754
1729 if not callback and not self.isVisible():
1755 if not callback and not self.isVisible():
1730 # If the user cannot see the widget, this function cannot return.
1756 # If the user cannot see the widget, this function cannot return.
1731 raise RuntimeError('Cannot synchronously read a line if the widget '
1757 raise RuntimeError('Cannot synchronously read a line if the widget '
1732 'is not visible!')
1758 'is not visible!')
1733
1759
1734 self._reading = True
1760 self._reading = True
1735 self._show_prompt(prompt, newline=False)
1761 self._show_prompt(prompt, newline=False)
1736
1762
1737 if callback is None:
1763 if callback is None:
1738 self._reading_callback = None
1764 self._reading_callback = None
1739 while self._reading:
1765 while self._reading:
1740 QtCore.QCoreApplication.processEvents()
1766 QtCore.QCoreApplication.processEvents()
1741 return self._get_input_buffer(force=True).rstrip('\n')
1767 return self._get_input_buffer(force=True).rstrip('\n')
1742
1768
1743 else:
1769 else:
1744 self._reading_callback = lambda: \
1770 self._reading_callback = lambda: \
1745 callback(self._get_input_buffer(force=True).rstrip('\n'))
1771 callback(self._get_input_buffer(force=True).rstrip('\n'))
1746
1772
1747 def _set_continuation_prompt(self, prompt, html=False):
1773 def _set_continuation_prompt(self, prompt, html=False):
1748 """ Sets the continuation prompt.
1774 """ Sets the continuation prompt.
1749
1775
1750 Parameters
1776 Parameters
1751 ----------
1777 ----------
1752 prompt : str
1778 prompt : str
1753 The prompt to show when more input is needed.
1779 The prompt to show when more input is needed.
1754
1780
1755 html : bool, optional (default False)
1781 html : bool, optional (default False)
1756 If set, the prompt will be inserted as formatted HTML. Otherwise,
1782 If set, the prompt will be inserted as formatted HTML. Otherwise,
1757 the prompt will be treated as plain text, though ANSI color codes
1783 the prompt will be treated as plain text, though ANSI color codes
1758 will be handled.
1784 will be handled.
1759 """
1785 """
1760 if html:
1786 if html:
1761 self._continuation_prompt_html = prompt
1787 self._continuation_prompt_html = prompt
1762 else:
1788 else:
1763 self._continuation_prompt = prompt
1789 self._continuation_prompt = prompt
1764 self._continuation_prompt_html = None
1790 self._continuation_prompt_html = None
1765
1791
1766 def _set_cursor(self, cursor):
1792 def _set_cursor(self, cursor):
1767 """ Convenience method to set the current cursor.
1793 """ Convenience method to set the current cursor.
1768 """
1794 """
1769 self._control.setTextCursor(cursor)
1795 self._control.setTextCursor(cursor)
1770
1796
1771 def _set_top_cursor(self, cursor):
1797 def _set_top_cursor(self, cursor):
1772 """ Scrolls the viewport so that the specified cursor is at the top.
1798 """ Scrolls the viewport so that the specified cursor is at the top.
1773 """
1799 """
1774 scrollbar = self._control.verticalScrollBar()
1800 scrollbar = self._control.verticalScrollBar()
1775 scrollbar.setValue(scrollbar.maximum())
1801 scrollbar.setValue(scrollbar.maximum())
1776 original_cursor = self._control.textCursor()
1802 original_cursor = self._control.textCursor()
1777 self._control.setTextCursor(cursor)
1803 self._control.setTextCursor(cursor)
1778 self._control.ensureCursorVisible()
1804 self._control.ensureCursorVisible()
1779 self._control.setTextCursor(original_cursor)
1805 self._control.setTextCursor(original_cursor)
1780
1806
1781 def _show_prompt(self, prompt=None, html=False, newline=True):
1807 def _show_prompt(self, prompt=None, html=False, newline=True):
1782 """ Writes a new prompt at the end of the buffer.
1808 """ Writes a new prompt at the end of the buffer.
1783
1809
1784 Parameters
1810 Parameters
1785 ----------
1811 ----------
1786 prompt : str, optional
1812 prompt : str, optional
1787 The prompt to show. If not specified, the previous prompt is used.
1813 The prompt to show. If not specified, the previous prompt is used.
1788
1814
1789 html : bool, optional (default False)
1815 html : bool, optional (default False)
1790 Only relevant when a prompt is specified. If set, the prompt will
1816 Only relevant when a prompt is specified. If set, the prompt will
1791 be inserted as formatted HTML. Otherwise, the prompt will be treated
1817 be inserted as formatted HTML. Otherwise, the prompt will be treated
1792 as plain text, though ANSI color codes will be handled.
1818 as plain text, though ANSI color codes will be handled.
1793
1819
1794 newline : bool, optional (default True)
1820 newline : bool, optional (default True)
1795 If set, a new line will be written before showing the prompt if
1821 If set, a new line will be written before showing the prompt if
1796 there is not already a newline at the end of the buffer.
1822 there is not already a newline at the end of the buffer.
1797 """
1823 """
1798 # Save the current end position to support _append*(before_prompt=True).
1824 # Save the current end position to support _append*(before_prompt=True).
1799 cursor = self._get_end_cursor()
1825 cursor = self._get_end_cursor()
1800 self._append_before_prompt_pos = cursor.position()
1826 self._append_before_prompt_pos = cursor.position()
1801
1827
1802 # Insert a preliminary newline, if necessary.
1828 # Insert a preliminary newline, if necessary.
1803 if newline and cursor.position() > 0:
1829 if newline and cursor.position() > 0:
1804 cursor.movePosition(QtGui.QTextCursor.Left,
1830 cursor.movePosition(QtGui.QTextCursor.Left,
1805 QtGui.QTextCursor.KeepAnchor)
1831 QtGui.QTextCursor.KeepAnchor)
1806 if cursor.selection().toPlainText() != '\n':
1832 if cursor.selection().toPlainText() != '\n':
1807 self._append_plain_text('\n')
1833 self._append_plain_text('\n')
1808
1834
1809 # Write the prompt.
1835 # Write the prompt.
1810 self._append_plain_text(self._prompt_sep)
1836 self._append_plain_text(self._prompt_sep)
1811 if prompt is None:
1837 if prompt is None:
1812 if self._prompt_html is None:
1838 if self._prompt_html is None:
1813 self._append_plain_text(self._prompt)
1839 self._append_plain_text(self._prompt)
1814 else:
1840 else:
1815 self._append_html(self._prompt_html)
1841 self._append_html(self._prompt_html)
1816 else:
1842 else:
1817 if html:
1843 if html:
1818 self._prompt = self._append_html_fetching_plain_text(prompt)
1844 self._prompt = self._append_html_fetching_plain_text(prompt)
1819 self._prompt_html = prompt
1845 self._prompt_html = prompt
1820 else:
1846 else:
1821 self._append_plain_text(prompt)
1847 self._append_plain_text(prompt)
1822 self._prompt = prompt
1848 self._prompt = prompt
1823 self._prompt_html = None
1849 self._prompt_html = None
1824
1850
1825 self._prompt_pos = self._get_end_cursor().position()
1851 self._prompt_pos = self._get_end_cursor().position()
1826 self._prompt_started()
1852 self._prompt_started()
1827
1853
1828 #------ Signal handlers ----------------------------------------------------
1854 #------ Signal handlers ----------------------------------------------------
1829
1855
1830 def _adjust_scrollbars(self):
1856 def _adjust_scrollbars(self):
1831 """ Expands the vertical scrollbar beyond the range set by Qt.
1857 """ Expands the vertical scrollbar beyond the range set by Qt.
1832 """
1858 """
1833 # This code is adapted from _q_adjustScrollbars in qplaintextedit.cpp
1859 # This code is adapted from _q_adjustScrollbars in qplaintextedit.cpp
1834 # and qtextedit.cpp.
1860 # and qtextedit.cpp.
1835 document = self._control.document()
1861 document = self._control.document()
1836 scrollbar = self._control.verticalScrollBar()
1862 scrollbar = self._control.verticalScrollBar()
1837 viewport_height = self._control.viewport().height()
1863 viewport_height = self._control.viewport().height()
1838 if isinstance(self._control, QtGui.QPlainTextEdit):
1864 if isinstance(self._control, QtGui.QPlainTextEdit):
1839 maximum = max(0, document.lineCount() - 1)
1865 maximum = max(0, document.lineCount() - 1)
1840 step = viewport_height / self._control.fontMetrics().lineSpacing()
1866 step = viewport_height / self._control.fontMetrics().lineSpacing()
1841 else:
1867 else:
1842 # QTextEdit does not do line-based layout and blocks will not in
1868 # QTextEdit does not do line-based layout and blocks will not in
1843 # general have the same height. Therefore it does not make sense to
1869 # general have the same height. Therefore it does not make sense to
1844 # attempt to scroll in line height increments.
1870 # attempt to scroll in line height increments.
1845 maximum = document.size().height()
1871 maximum = document.size().height()
1846 step = viewport_height
1872 step = viewport_height
1847 diff = maximum - scrollbar.maximum()
1873 diff = maximum - scrollbar.maximum()
1848 scrollbar.setRange(0, maximum)
1874 scrollbar.setRange(0, maximum)
1849 scrollbar.setPageStep(step)
1875 scrollbar.setPageStep(step)
1850
1876
1851 # Compensate for undesirable scrolling that occurs automatically due to
1877 # Compensate for undesirable scrolling that occurs automatically due to
1852 # maximumBlockCount() text truncation.
1878 # maximumBlockCount() text truncation.
1853 if diff < 0 and document.blockCount() == document.maximumBlockCount():
1879 if diff < 0 and document.blockCount() == document.maximumBlockCount():
1854 scrollbar.setValue(scrollbar.value() + diff)
1880 scrollbar.setValue(scrollbar.value() + diff)
1855
1881
1856 def _cursor_position_changed(self):
1882 def _cursor_position_changed(self):
1857 """ Clears the temporary buffer based on the cursor position.
1883 """ Clears the temporary buffer based on the cursor position.
1858 """
1884 """
1859 if self._text_completing_pos:
1885 if self._text_completing_pos:
1860 document = self._control.document()
1886 document = self._control.document()
1861 if self._text_completing_pos < document.characterCount():
1887 if self._text_completing_pos < document.characterCount():
1862 cursor = self._control.textCursor()
1888 cursor = self._control.textCursor()
1863 pos = cursor.position()
1889 pos = cursor.position()
1864 text_cursor = self._control.textCursor()
1890 text_cursor = self._control.textCursor()
1865 text_cursor.setPosition(self._text_completing_pos)
1891 text_cursor.setPosition(self._text_completing_pos)
1866 if pos < self._text_completing_pos or \
1892 if pos < self._text_completing_pos or \
1867 cursor.blockNumber() > text_cursor.blockNumber():
1893 cursor.blockNumber() > text_cursor.blockNumber():
1868 self._clear_temporary_buffer()
1894 self._clear_temporary_buffer()
1869 self._text_completing_pos = 0
1895 self._text_completing_pos = 0
1870 else:
1896 else:
1871 self._clear_temporary_buffer()
1897 self._clear_temporary_buffer()
1872 self._text_completing_pos = 0
1898 self._text_completing_pos = 0
1873
1899
1874 def _custom_context_menu_requested(self, pos):
1900 def _custom_context_menu_requested(self, pos):
1875 """ Shows a context menu at the given QPoint (in widget coordinates).
1901 """ Shows a context menu at the given QPoint (in widget coordinates).
1876 """
1902 """
1877 menu = self._context_menu_make(pos)
1903 menu = self._context_menu_make(pos)
1878 menu.exec_(self._control.mapToGlobal(pos))
1904 menu.exec_(self._control.mapToGlobal(pos))
@@ -1,931 +1,931
1 """The Qt MainWindow for the QtConsole
1 """The Qt MainWindow for the QtConsole
2
2
3 This is a tabbed pseudo-terminal of IPython sessions, with a menu bar for
3 This is a tabbed pseudo-terminal of IPython sessions, with a menu bar for
4 common actions.
4 common actions.
5
5
6 Authors:
6 Authors:
7
7
8 * Evan Patterson
8 * Evan Patterson
9 * Min RK
9 * Min RK
10 * Erik Tollerud
10 * Erik Tollerud
11 * Fernando Perez
11 * Fernando Perez
12 * Bussonnier Matthias
12 * Bussonnier Matthias
13 * Thomas Kluyver
13 * Thomas Kluyver
14
14
15 """
15 """
16
16
17 #-----------------------------------------------------------------------------
17 #-----------------------------------------------------------------------------
18 # Imports
18 # Imports
19 #-----------------------------------------------------------------------------
19 #-----------------------------------------------------------------------------
20
20
21 # stdlib imports
21 # stdlib imports
22 import sys
22 import sys
23 import re
23 import re
24 import webbrowser
24 import webbrowser
25 from threading import Thread
25 from threading import Thread
26
26
27 # System library imports
27 # System library imports
28 from IPython.external.qt import QtGui,QtCore
28 from IPython.external.qt import QtGui,QtCore
29
29
30 def background(f):
30 def background(f):
31 """call a function in a simple thread, to prevent blocking"""
31 """call a function in a simple thread, to prevent blocking"""
32 t = Thread(target=f)
32 t = Thread(target=f)
33 t.start()
33 t.start()
34 return t
34 return t
35
35
36 #-----------------------------------------------------------------------------
36 #-----------------------------------------------------------------------------
37 # Classes
37 # Classes
38 #-----------------------------------------------------------------------------
38 #-----------------------------------------------------------------------------
39
39
40 class MainWindow(QtGui.QMainWindow):
40 class MainWindow(QtGui.QMainWindow):
41
41
42 #---------------------------------------------------------------------------
42 #---------------------------------------------------------------------------
43 # 'object' interface
43 # 'object' interface
44 #---------------------------------------------------------------------------
44 #---------------------------------------------------------------------------
45
45
46 def __init__(self, app,
46 def __init__(self, app,
47 confirm_exit=True,
47 confirm_exit=True,
48 new_frontend_factory=None, slave_frontend_factory=None,
48 new_frontend_factory=None, slave_frontend_factory=None,
49 ):
49 ):
50 """ Create a tabbed MainWindow for managing IPython FrontendWidgets
50 """ Create a tabbed MainWindow for managing IPython FrontendWidgets
51
51
52 Parameters
52 Parameters
53 ----------
53 ----------
54
54
55 app : reference to QApplication parent
55 app : reference to QApplication parent
56 confirm_exit : bool, optional
56 confirm_exit : bool, optional
57 Whether we should prompt on close of tabs
57 Whether we should prompt on close of tabs
58 new_frontend_factory : callable
58 new_frontend_factory : callable
59 A callable that returns a new IPythonWidget instance, attached to
59 A callable that returns a new IPythonWidget instance, attached to
60 its own running kernel.
60 its own running kernel.
61 slave_frontend_factory : callable
61 slave_frontend_factory : callable
62 A callable that takes an existing IPythonWidget, and returns a new
62 A callable that takes an existing IPythonWidget, and returns a new
63 IPythonWidget instance, attached to the same kernel.
63 IPythonWidget instance, attached to the same kernel.
64 """
64 """
65
65
66 super(MainWindow, self).__init__()
66 super(MainWindow, self).__init__()
67 self._kernel_counter = 0
67 self._kernel_counter = 0
68 self._app = app
68 self._app = app
69 self.confirm_exit = confirm_exit
69 self.confirm_exit = confirm_exit
70 self.new_frontend_factory = new_frontend_factory
70 self.new_frontend_factory = new_frontend_factory
71 self.slave_frontend_factory = slave_frontend_factory
71 self.slave_frontend_factory = slave_frontend_factory
72
72
73 self.tab_widget = QtGui.QTabWidget(self)
73 self.tab_widget = QtGui.QTabWidget(self)
74 self.tab_widget.setDocumentMode(True)
74 self.tab_widget.setDocumentMode(True)
75 self.tab_widget.setTabsClosable(True)
75 self.tab_widget.setTabsClosable(True)
76 self.tab_widget.tabCloseRequested[int].connect(self.close_tab)
76 self.tab_widget.tabCloseRequested[int].connect(self.close_tab)
77
77
78 self.setCentralWidget(self.tab_widget)
78 self.setCentralWidget(self.tab_widget)
79 # hide tab bar at first, since we have no tabs:
79 # hide tab bar at first, since we have no tabs:
80 self.tab_widget.tabBar().setVisible(False)
80 self.tab_widget.tabBar().setVisible(False)
81 # prevent focus in tab bar
81 # prevent focus in tab bar
82 self.tab_widget.setFocusPolicy(QtCore.Qt.NoFocus)
82 self.tab_widget.setFocusPolicy(QtCore.Qt.NoFocus)
83
83
84 def update_tab_bar_visibility(self):
84 def update_tab_bar_visibility(self):
85 """ update visibility of the tabBar depending of the number of tab
85 """ update visibility of the tabBar depending of the number of tab
86
86
87 0 or 1 tab, tabBar hidden
87 0 or 1 tab, tabBar hidden
88 2+ tabs, tabBar visible
88 2+ tabs, tabBar visible
89
89
90 send a self.close if number of tab ==0
90 send a self.close if number of tab ==0
91
91
92 need to be called explicitely, or be connected to tabInserted/tabRemoved
92 need to be called explicitely, or be connected to tabInserted/tabRemoved
93 """
93 """
94 if self.tab_widget.count() <= 1:
94 if self.tab_widget.count() <= 1:
95 self.tab_widget.tabBar().setVisible(False)
95 self.tab_widget.tabBar().setVisible(False)
96 else:
96 else:
97 self.tab_widget.tabBar().setVisible(True)
97 self.tab_widget.tabBar().setVisible(True)
98 if self.tab_widget.count()==0 :
98 if self.tab_widget.count()==0 :
99 self.close()
99 self.close()
100
100
101 @property
101 @property
102 def next_kernel_id(self):
102 def next_kernel_id(self):
103 """constantly increasing counter for kernel IDs"""
103 """constantly increasing counter for kernel IDs"""
104 c = self._kernel_counter
104 c = self._kernel_counter
105 self._kernel_counter += 1
105 self._kernel_counter += 1
106 return c
106 return c
107
107
108 @property
108 @property
109 def active_frontend(self):
109 def active_frontend(self):
110 return self.tab_widget.currentWidget()
110 return self.tab_widget.currentWidget()
111
111
112 def create_tab_with_new_frontend(self):
112 def create_tab_with_new_frontend(self):
113 """create a new frontend and attach it to a new tab"""
113 """create a new frontend and attach it to a new tab"""
114 widget = self.new_frontend_factory()
114 widget = self.new_frontend_factory()
115 self.add_tab_with_frontend(widget)
115 self.add_tab_with_frontend(widget)
116
116
117 def create_tab_with_current_kernel(self):
117 def create_tab_with_current_kernel(self):
118 """create a new frontend attached to the same kernel as the current tab"""
118 """create a new frontend attached to the same kernel as the current tab"""
119 current_widget = self.tab_widget.currentWidget()
119 current_widget = self.tab_widget.currentWidget()
120 current_widget_index = self.tab_widget.indexOf(current_widget)
120 current_widget_index = self.tab_widget.indexOf(current_widget)
121 current_widget_name = self.tab_widget.tabText(current_widget_index)
121 current_widget_name = self.tab_widget.tabText(current_widget_index)
122 widget = self.slave_frontend_factory(current_widget)
122 widget = self.slave_frontend_factory(current_widget)
123 if 'slave' in current_widget_name:
123 if 'slave' in current_widget_name:
124 # don't keep stacking slaves
124 # don't keep stacking slaves
125 name = current_widget_name
125 name = current_widget_name
126 else:
126 else:
127 name = '(%s) slave' % current_widget_name
127 name = '(%s) slave' % current_widget_name
128 self.add_tab_with_frontend(widget,name=name)
128 self.add_tab_with_frontend(widget,name=name)
129
129
130 def close_tab(self,current_tab):
130 def close_tab(self,current_tab):
131 """ Called when you need to try to close a tab.
131 """ Called when you need to try to close a tab.
132
132
133 It takes the number of the tab to be closed as argument, or a referece
133 It takes the number of the tab to be closed as argument, or a referece
134 to the wiget insite this tab
134 to the wiget insite this tab
135 """
135 """
136
136
137 # let's be sure "tab" and "closing widget are respectivey the index of the tab to close
137 # let's be sure "tab" and "closing widget are respectivey the index of the tab to close
138 # and a reference to the trontend to close
138 # and a reference to the trontend to close
139 if type(current_tab) is not int :
139 if type(current_tab) is not int :
140 current_tab = self.tab_widget.indexOf(current_tab)
140 current_tab = self.tab_widget.indexOf(current_tab)
141 closing_widget=self.tab_widget.widget(current_tab)
141 closing_widget=self.tab_widget.widget(current_tab)
142
142
143
143
144 # when trying to be closed, widget might re-send a request to be closed again, but will
144 # when trying to be closed, widget might re-send a request to be closed again, but will
145 # be deleted when event will be processed. So need to check that widget still exist and
145 # be deleted when event will be processed. So need to check that widget still exist and
146 # skip if not. One example of this is when 'exit' is send in a slave tab. 'exit' will be
146 # skip if not. One example of this is when 'exit' is send in a slave tab. 'exit' will be
147 # re-send by this fonction on the master widget, which ask all slaves widget to exit
147 # re-send by this fonction on the master widget, which ask all slaves widget to exit
148 if closing_widget==None:
148 if closing_widget==None:
149 return
149 return
150
150
151 #get a list of all slave widgets on the same kernel.
151 #get a list of all slave widgets on the same kernel.
152 slave_tabs = self.find_slave_widgets(closing_widget)
152 slave_tabs = self.find_slave_widgets(closing_widget)
153
153
154 keepkernel = None #Use the prompt by default
154 keepkernel = None #Use the prompt by default
155 if hasattr(closing_widget,'_keep_kernel_on_exit'): #set by exit magic
155 if hasattr(closing_widget,'_keep_kernel_on_exit'): #set by exit magic
156 keepkernel = closing_widget._keep_kernel_on_exit
156 keepkernel = closing_widget._keep_kernel_on_exit
157 # If signal sent by exit magic (_keep_kernel_on_exit, exist and not None)
157 # If signal sent by exit magic (_keep_kernel_on_exit, exist and not None)
158 # we set local slave tabs._hidden to True to avoid prompting for kernel
158 # we set local slave tabs._hidden to True to avoid prompting for kernel
159 # restart when they get the signal. and then "forward" the 'exit'
159 # restart when they get the signal. and then "forward" the 'exit'
160 # to the main window
160 # to the main window
161 if keepkernel is not None:
161 if keepkernel is not None:
162 for tab in slave_tabs:
162 for tab in slave_tabs:
163 tab._hidden = True
163 tab._hidden = True
164 if closing_widget in slave_tabs:
164 if closing_widget in slave_tabs:
165 try :
165 try :
166 self.find_master_tab(closing_widget).execute('exit')
166 self.find_master_tab(closing_widget).execute('exit')
167 except AttributeError:
167 except AttributeError:
168 self.log.info("Master already closed or not local, closing only current tab")
168 self.log.info("Master already closed or not local, closing only current tab")
169 self.tab_widget.removeTab(current_tab)
169 self.tab_widget.removeTab(current_tab)
170 self.update_tab_bar_visibility()
170 self.update_tab_bar_visibility()
171 return
171 return
172
172
173 kernel_manager = closing_widget.kernel_manager
173 kernel_manager = closing_widget.kernel_manager
174
174
175 if keepkernel is None and not closing_widget._confirm_exit:
175 if keepkernel is None and not closing_widget._confirm_exit:
176 # don't prompt, just terminate the kernel if we own it
176 # don't prompt, just terminate the kernel if we own it
177 # or leave it alone if we don't
177 # or leave it alone if we don't
178 keepkernel = closing_widget._existing
178 keepkernel = closing_widget._existing
179 if keepkernel is None: #show prompt
179 if keepkernel is None: #show prompt
180 if kernel_manager and kernel_manager.channels_running:
180 if kernel_manager and kernel_manager.channels_running:
181 title = self.window().windowTitle()
181 title = self.window().windowTitle()
182 cancel = QtGui.QMessageBox.Cancel
182 cancel = QtGui.QMessageBox.Cancel
183 okay = QtGui.QMessageBox.Ok
183 okay = QtGui.QMessageBox.Ok
184 if closing_widget._may_close:
184 if closing_widget._may_close:
185 msg = "You are closing the tab : "+'"'+self.tab_widget.tabText(current_tab)+'"'
185 msg = "You are closing the tab : "+'"'+self.tab_widget.tabText(current_tab)+'"'
186 info = "Would you like to quit the Kernel and close all attached Consoles as well?"
186 info = "Would you like to quit the Kernel and close all attached Consoles as well?"
187 justthis = QtGui.QPushButton("&No, just this Tab", self)
187 justthis = QtGui.QPushButton("&No, just this Tab", self)
188 justthis.setShortcut('N')
188 justthis.setShortcut('N')
189 closeall = QtGui.QPushButton("&Yes, close all", self)
189 closeall = QtGui.QPushButton("&Yes, close all", self)
190 closeall.setShortcut('Y')
190 closeall.setShortcut('Y')
191 # allow ctrl-d ctrl-d exit, like in terminal
191 # allow ctrl-d ctrl-d exit, like in terminal
192 closeall.setShortcut('Ctrl+D')
192 closeall.setShortcut('Ctrl+D')
193 box = QtGui.QMessageBox(QtGui.QMessageBox.Question,
193 box = QtGui.QMessageBox(QtGui.QMessageBox.Question,
194 title, msg)
194 title, msg)
195 box.setInformativeText(info)
195 box.setInformativeText(info)
196 box.addButton(cancel)
196 box.addButton(cancel)
197 box.addButton(justthis, QtGui.QMessageBox.NoRole)
197 box.addButton(justthis, QtGui.QMessageBox.NoRole)
198 box.addButton(closeall, QtGui.QMessageBox.YesRole)
198 box.addButton(closeall, QtGui.QMessageBox.YesRole)
199 box.setDefaultButton(closeall)
199 box.setDefaultButton(closeall)
200 box.setEscapeButton(cancel)
200 box.setEscapeButton(cancel)
201 pixmap = QtGui.QPixmap(self._app.icon.pixmap(QtCore.QSize(64,64)))
201 pixmap = QtGui.QPixmap(self._app.icon.pixmap(QtCore.QSize(64,64)))
202 box.setIconPixmap(pixmap)
202 box.setIconPixmap(pixmap)
203 reply = box.exec_()
203 reply = box.exec_()
204 if reply == 1: # close All
204 if reply == 1: # close All
205 for slave in slave_tabs:
205 for slave in slave_tabs:
206 background(slave.kernel_manager.stop_channels)
206 background(slave.kernel_manager.stop_channels)
207 self.tab_widget.removeTab(self.tab_widget.indexOf(slave))
207 self.tab_widget.removeTab(self.tab_widget.indexOf(slave))
208 closing_widget.execute("exit")
208 closing_widget.execute("exit")
209 self.tab_widget.removeTab(current_tab)
209 self.tab_widget.removeTab(current_tab)
210 background(kernel_manager.stop_channels)
210 background(kernel_manager.stop_channels)
211 elif reply == 0: # close Console
211 elif reply == 0: # close Console
212 if not closing_widget._existing:
212 if not closing_widget._existing:
213 # Have kernel: don't quit, just close the tab
213 # Have kernel: don't quit, just close the tab
214 closing_widget.execute("exit True")
214 closing_widget.execute("exit True")
215 self.tab_widget.removeTab(current_tab)
215 self.tab_widget.removeTab(current_tab)
216 background(kernel_manager.stop_channels)
216 background(kernel_manager.stop_channels)
217 else:
217 else:
218 reply = QtGui.QMessageBox.question(self, title,
218 reply = QtGui.QMessageBox.question(self, title,
219 "Are you sure you want to close this Console?"+
219 "Are you sure you want to close this Console?"+
220 "\nThe Kernel and other Consoles will remain active.",
220 "\nThe Kernel and other Consoles will remain active.",
221 okay|cancel,
221 okay|cancel,
222 defaultButton=okay
222 defaultButton=okay
223 )
223 )
224 if reply == okay:
224 if reply == okay:
225 self.tab_widget.removeTab(current_tab)
225 self.tab_widget.removeTab(current_tab)
226 elif keepkernel: #close console but leave kernel running (no prompt)
226 elif keepkernel: #close console but leave kernel running (no prompt)
227 self.tab_widget.removeTab(current_tab)
227 self.tab_widget.removeTab(current_tab)
228 background(kernel_manager.stop_channels)
228 background(kernel_manager.stop_channels)
229 else: #close console and kernel (no prompt)
229 else: #close console and kernel (no prompt)
230 self.tab_widget.removeTab(current_tab)
230 self.tab_widget.removeTab(current_tab)
231 if kernel_manager and kernel_manager.channels_running:
231 if kernel_manager and kernel_manager.channels_running:
232 for slave in slave_tabs:
232 for slave in slave_tabs:
233 background(slave.kernel_manager.stop_channels)
233 background(slave.kernel_manager.stop_channels)
234 self.tab_widget.removeTab(self.tab_widget.indexOf(slave))
234 self.tab_widget.removeTab(self.tab_widget.indexOf(slave))
235 kernel_manager.shutdown_kernel()
235 kernel_manager.shutdown_kernel()
236 background(kernel_manager.stop_channels)
236 background(kernel_manager.stop_channels)
237
237
238 self.update_tab_bar_visibility()
238 self.update_tab_bar_visibility()
239
239
240 def add_tab_with_frontend(self,frontend,name=None):
240 def add_tab_with_frontend(self,frontend,name=None):
241 """ insert a tab with a given frontend in the tab bar, and give it a name
241 """ insert a tab with a given frontend in the tab bar, and give it a name
242
242
243 """
243 """
244 if not name:
244 if not name:
245 name = 'kernel %i' % self.next_kernel_id
245 name = 'kernel %i' % self.next_kernel_id
246 self.tab_widget.addTab(frontend,name)
246 self.tab_widget.addTab(frontend,name)
247 self.update_tab_bar_visibility()
247 self.update_tab_bar_visibility()
248 self.make_frontend_visible(frontend)
248 self.make_frontend_visible(frontend)
249 frontend.exit_requested.connect(self.close_tab)
249 frontend.exit_requested.connect(self.close_tab)
250
250
251 def next_tab(self):
251 def next_tab(self):
252 self.tab_widget.setCurrentIndex((self.tab_widget.currentIndex()+1))
252 self.tab_widget.setCurrentIndex((self.tab_widget.currentIndex()+1))
253
253
254 def prev_tab(self):
254 def prev_tab(self):
255 self.tab_widget.setCurrentIndex((self.tab_widget.currentIndex()-1))
255 self.tab_widget.setCurrentIndex((self.tab_widget.currentIndex()-1))
256
256
257 def make_frontend_visible(self,frontend):
257 def make_frontend_visible(self,frontend):
258 widget_index=self.tab_widget.indexOf(frontend)
258 widget_index=self.tab_widget.indexOf(frontend)
259 if widget_index > 0 :
259 if widget_index > 0 :
260 self.tab_widget.setCurrentIndex(widget_index)
260 self.tab_widget.setCurrentIndex(widget_index)
261
261
262 def find_master_tab(self,tab,as_list=False):
262 def find_master_tab(self,tab,as_list=False):
263 """
263 """
264 Try to return the frontend that own the kernel attached to the given widget/tab.
264 Try to return the frontend that own the kernel attached to the given widget/tab.
265
265
266 Only find frontend owed by the current application. Selection
266 Only find frontend owed by the current application. Selection
267 based on port of the kernel, might be inacurate if several kernel
267 based on port of the kernel, might be inacurate if several kernel
268 on different ip use same port number.
268 on different ip use same port number.
269
269
270 This fonction does the conversion tabNumber/widget if needed.
270 This fonction does the conversion tabNumber/widget if needed.
271 Might return None if no master widget (non local kernel)
271 Might return None if no master widget (non local kernel)
272 Will crash IPython if more than 1 masterWidget
272 Will crash IPython if more than 1 masterWidget
273
273
274 When asList set to True, always return a list of widget(s) owning
274 When asList set to True, always return a list of widget(s) owning
275 the kernel. The list might be empty or containing several Widget.
275 the kernel. The list might be empty or containing several Widget.
276 """
276 """
277
277
278 #convert from/to int/richIpythonWidget if needed
278 #convert from/to int/richIpythonWidget if needed
279 if isinstance(tab, int):
279 if isinstance(tab, int):
280 tab = self.tab_widget.widget(tab)
280 tab = self.tab_widget.widget(tab)
281 km=tab.kernel_manager
281 km=tab.kernel_manager
282
282
283 #build list of all widgets
283 #build list of all widgets
284 widget_list = [self.tab_widget.widget(i) for i in range(self.tab_widget.count())]
284 widget_list = [self.tab_widget.widget(i) for i in range(self.tab_widget.count())]
285
285
286 # widget that are candidate to be the owner of the kernel does have all the same port of the curent widget
286 # widget that are candidate to be the owner of the kernel does have all the same port of the curent widget
287 # And should have a _may_close attribute
287 # And should have a _may_close attribute
288 filtered_widget_list = [ widget for widget in widget_list if
288 filtered_widget_list = [ widget for widget in widget_list if
289 widget.kernel_manager.connection_file == km.connection_file and
289 widget.kernel_manager.connection_file == km.connection_file and
290 hasattr(widget,'_may_close') ]
290 hasattr(widget,'_may_close') ]
291 # the master widget is the one that may close the kernel
291 # the master widget is the one that may close the kernel
292 master_widget= [ widget for widget in filtered_widget_list if widget._may_close]
292 master_widget= [ widget for widget in filtered_widget_list if widget._may_close]
293 if as_list:
293 if as_list:
294 return master_widget
294 return master_widget
295 assert(len(master_widget)<=1 )
295 assert(len(master_widget)<=1 )
296 if len(master_widget)==0:
296 if len(master_widget)==0:
297 return None
297 return None
298
298
299 return master_widget[0]
299 return master_widget[0]
300
300
301 def find_slave_widgets(self,tab):
301 def find_slave_widgets(self,tab):
302 """return all the frontends that do not own the kernel attached to the given widget/tab.
302 """return all the frontends that do not own the kernel attached to the given widget/tab.
303
303
304 Only find frontends owned by the current application. Selection
304 Only find frontends owned by the current application. Selection
305 based on connection file of the kernel.
305 based on connection file of the kernel.
306
306
307 This function does the conversion tabNumber/widget if needed.
307 This function does the conversion tabNumber/widget if needed.
308 """
308 """
309 #convert from/to int/richIpythonWidget if needed
309 #convert from/to int/richIpythonWidget if needed
310 if isinstance(tab, int):
310 if isinstance(tab, int):
311 tab = self.tab_widget.widget(tab)
311 tab = self.tab_widget.widget(tab)
312 km=tab.kernel_manager
312 km=tab.kernel_manager
313
313
314 #build list of all widgets
314 #build list of all widgets
315 widget_list = [self.tab_widget.widget(i) for i in range(self.tab_widget.count())]
315 widget_list = [self.tab_widget.widget(i) for i in range(self.tab_widget.count())]
316
316
317 # widget that are candidate not to be the owner of the kernel does have all the same port of the curent widget
317 # widget that are candidate not to be the owner of the kernel does have all the same port of the curent widget
318 filtered_widget_list = ( widget for widget in widget_list if
318 filtered_widget_list = ( widget for widget in widget_list if
319 widget.kernel_manager.connection_file == km.connection_file)
319 widget.kernel_manager.connection_file == km.connection_file)
320 # Get a list of all widget owning the same kernel and removed it from
320 # Get a list of all widget owning the same kernel and removed it from
321 # the previous cadidate. (better using sets ?)
321 # the previous cadidate. (better using sets ?)
322 master_widget_list = self.find_master_tab(tab, as_list=True)
322 master_widget_list = self.find_master_tab(tab, as_list=True)
323 slave_list = [widget for widget in filtered_widget_list if widget not in master_widget_list]
323 slave_list = [widget for widget in filtered_widget_list if widget not in master_widget_list]
324
324
325 return slave_list
325 return slave_list
326
326
327 # Populate the menu bar with common actions and shortcuts
327 # Populate the menu bar with common actions and shortcuts
328 def add_menu_action(self, menu, action, defer_shortcut=False):
328 def add_menu_action(self, menu, action, defer_shortcut=False):
329 """Add action to menu as well as self
329 """Add action to menu as well as self
330
330
331 So that when the menu bar is invisible, its actions are still available.
331 So that when the menu bar is invisible, its actions are still available.
332
332
333 If defer_shortcut is True, set the shortcut context to widget-only,
333 If defer_shortcut is True, set the shortcut context to widget-only,
334 where it will avoid conflict with shortcuts already bound to the
334 where it will avoid conflict with shortcuts already bound to the
335 widgets themselves.
335 widgets themselves.
336 """
336 """
337 menu.addAction(action)
337 menu.addAction(action)
338 self.addAction(action)
338 self.addAction(action)
339
339
340 if defer_shortcut:
340 if defer_shortcut:
341 action.setShortcutContext(QtCore.Qt.WidgetShortcut)
341 action.setShortcutContext(QtCore.Qt.WidgetShortcut)
342
342
343 def init_menu_bar(self):
343 def init_menu_bar(self):
344 #create menu in the order they should appear in the menu bar
344 #create menu in the order they should appear in the menu bar
345 self.init_file_menu()
345 self.init_file_menu()
346 self.init_edit_menu()
346 self.init_edit_menu()
347 self.init_view_menu()
347 self.init_view_menu()
348 self.init_kernel_menu()
348 self.init_kernel_menu()
349 self.init_magic_menu()
349 self.init_magic_menu()
350 self.init_window_menu()
350 self.init_window_menu()
351 self.init_help_menu()
351 self.init_help_menu()
352
352
353 def init_file_menu(self):
353 def init_file_menu(self):
354 self.file_menu = self.menuBar().addMenu("&File")
354 self.file_menu = self.menuBar().addMenu("&File")
355
355
356 self.new_kernel_tab_act = QtGui.QAction("New Tab with &New kernel",
356 self.new_kernel_tab_act = QtGui.QAction("New Tab with &New kernel",
357 self,
357 self,
358 shortcut="Ctrl+T",
358 shortcut="Ctrl+T",
359 triggered=self.create_tab_with_new_frontend)
359 triggered=self.create_tab_with_new_frontend)
360 self.add_menu_action(self.file_menu, self.new_kernel_tab_act)
360 self.add_menu_action(self.file_menu, self.new_kernel_tab_act)
361
361
362 self.slave_kernel_tab_act = QtGui.QAction("New Tab with Sa&me kernel",
362 self.slave_kernel_tab_act = QtGui.QAction("New Tab with Sa&me kernel",
363 self,
363 self,
364 shortcut="Ctrl+Shift+T",
364 shortcut="Ctrl+Shift+T",
365 triggered=self.create_tab_with_current_kernel)
365 triggered=self.create_tab_with_current_kernel)
366 self.add_menu_action(self.file_menu, self.slave_kernel_tab_act)
366 self.add_menu_action(self.file_menu, self.slave_kernel_tab_act)
367
367
368 self.file_menu.addSeparator()
368 self.file_menu.addSeparator()
369
369
370 self.close_action=QtGui.QAction("&Close Tab",
370 self.close_action=QtGui.QAction("&Close Tab",
371 self,
371 self,
372 shortcut=QtGui.QKeySequence.Close,
372 shortcut=QtGui.QKeySequence.Close,
373 triggered=self.close_active_frontend
373 triggered=self.close_active_frontend
374 )
374 )
375 self.add_menu_action(self.file_menu, self.close_action)
375 self.add_menu_action(self.file_menu, self.close_action)
376
376
377 self.export_action=QtGui.QAction("&Save to HTML/XHTML",
377 self.export_action=QtGui.QAction("&Save to HTML/XHTML",
378 self,
378 self,
379 shortcut=QtGui.QKeySequence.Save,
379 shortcut=QtGui.QKeySequence.Save,
380 triggered=self.export_action_active_frontend
380 triggered=self.export_action_active_frontend
381 )
381 )
382 self.add_menu_action(self.file_menu, self.export_action, True)
382 self.add_menu_action(self.file_menu, self.export_action, True)
383
383
384 self.file_menu.addSeparator()
384 self.file_menu.addSeparator()
385
385
386 printkey = QtGui.QKeySequence(QtGui.QKeySequence.Print)
386 printkey = QtGui.QKeySequence(QtGui.QKeySequence.Print)
387 if printkey.matches("Ctrl+P") and sys.platform != 'darwin':
387 if printkey.matches("Ctrl+P") and sys.platform != 'darwin':
388 # Only override the default if there is a collision.
388 # Only override the default if there is a collision.
389 # Qt ctrl = cmd on OSX, so the match gets a false positive on OSX.
389 # Qt ctrl = cmd on OSX, so the match gets a false positive on OSX.
390 printkey = "Ctrl+Shift+P"
390 printkey = "Ctrl+Shift+P"
391 self.print_action = QtGui.QAction("&Print",
391 self.print_action = QtGui.QAction("&Print",
392 self,
392 self,
393 shortcut=printkey,
393 shortcut=printkey,
394 triggered=self.print_action_active_frontend)
394 triggered=self.print_action_active_frontend)
395 self.add_menu_action(self.file_menu, self.print_action, True)
395 self.add_menu_action(self.file_menu, self.print_action, True)
396
396
397 if sys.platform != 'darwin':
397 if sys.platform != 'darwin':
398 # OSX always has Quit in the Application menu, only add it
398 # OSX always has Quit in the Application menu, only add it
399 # to the File menu elsewhere.
399 # to the File menu elsewhere.
400
400
401 self.file_menu.addSeparator()
401 self.file_menu.addSeparator()
402
402
403 self.quit_action = QtGui.QAction("&Quit",
403 self.quit_action = QtGui.QAction("&Quit",
404 self,
404 self,
405 shortcut=QtGui.QKeySequence.Quit,
405 shortcut=QtGui.QKeySequence.Quit,
406 triggered=self.close,
406 triggered=self.close,
407 )
407 )
408 self.add_menu_action(self.file_menu, self.quit_action)
408 self.add_menu_action(self.file_menu, self.quit_action)
409
409
410
410
411 def init_edit_menu(self):
411 def init_edit_menu(self):
412 self.edit_menu = self.menuBar().addMenu("&Edit")
412 self.edit_menu = self.menuBar().addMenu("&Edit")
413
413
414 self.undo_action = QtGui.QAction("&Undo",
414 self.undo_action = QtGui.QAction("&Undo",
415 self,
415 self,
416 shortcut=QtGui.QKeySequence.Undo,
416 shortcut=QtGui.QKeySequence.Undo,
417 statusTip="Undo last action if possible",
417 statusTip="Undo last action if possible",
418 triggered=self.undo_active_frontend
418 triggered=self.undo_active_frontend
419 )
419 )
420 self.add_menu_action(self.edit_menu, self.undo_action)
420 self.add_menu_action(self.edit_menu, self.undo_action)
421
421
422 self.redo_action = QtGui.QAction("&Redo",
422 self.redo_action = QtGui.QAction("&Redo",
423 self,
423 self,
424 shortcut=QtGui.QKeySequence.Redo,
424 shortcut=QtGui.QKeySequence.Redo,
425 statusTip="Redo last action if possible",
425 statusTip="Redo last action if possible",
426 triggered=self.redo_active_frontend)
426 triggered=self.redo_active_frontend)
427 self.add_menu_action(self.edit_menu, self.redo_action)
427 self.add_menu_action(self.edit_menu, self.redo_action)
428
428
429 self.edit_menu.addSeparator()
429 self.edit_menu.addSeparator()
430
430
431 self.cut_action = QtGui.QAction("&Cut",
431 self.cut_action = QtGui.QAction("&Cut",
432 self,
432 self,
433 shortcut=QtGui.QKeySequence.Cut,
433 shortcut=QtGui.QKeySequence.Cut,
434 triggered=self.cut_active_frontend
434 triggered=self.cut_active_frontend
435 )
435 )
436 self.add_menu_action(self.edit_menu, self.cut_action, True)
436 self.add_menu_action(self.edit_menu, self.cut_action, True)
437
437
438 self.copy_action = QtGui.QAction("&Copy",
438 self.copy_action = QtGui.QAction("&Copy",
439 self,
439 self,
440 shortcut=QtGui.QKeySequence.Copy,
440 shortcut=QtGui.QKeySequence.Copy,
441 triggered=self.copy_active_frontend
441 triggered=self.copy_active_frontend
442 )
442 )
443 self.add_menu_action(self.edit_menu, self.copy_action, True)
443 self.add_menu_action(self.edit_menu, self.copy_action, True)
444
444
445 self.copy_raw_action = QtGui.QAction("Copy (&Raw Text)",
445 self.copy_raw_action = QtGui.QAction("Copy (&Raw Text)",
446 self,
446 self,
447 shortcut="Ctrl+Shift+C",
447 shortcut="Ctrl+Shift+C",
448 triggered=self.copy_raw_active_frontend
448 triggered=self.copy_raw_active_frontend
449 )
449 )
450 self.add_menu_action(self.edit_menu, self.copy_raw_action, True)
450 self.add_menu_action(self.edit_menu, self.copy_raw_action, True)
451
451
452 self.paste_action = QtGui.QAction("&Paste",
452 self.paste_action = QtGui.QAction("&Paste",
453 self,
453 self,
454 shortcut=QtGui.QKeySequence.Paste,
454 shortcut=QtGui.QKeySequence.Paste,
455 triggered=self.paste_active_frontend
455 triggered=self.paste_active_frontend
456 )
456 )
457 self.add_menu_action(self.edit_menu, self.paste_action, True)
457 self.add_menu_action(self.edit_menu, self.paste_action, True)
458
458
459 self.edit_menu.addSeparator()
459 self.edit_menu.addSeparator()
460
460
461 selectall = QtGui.QKeySequence(QtGui.QKeySequence.SelectAll)
461 selectall = QtGui.QKeySequence(QtGui.QKeySequence.SelectAll)
462 if selectall.matches("Ctrl+A") and sys.platform != 'darwin':
462 if selectall.matches("Ctrl+A") and sys.platform != 'darwin':
463 # Only override the default if there is a collision.
463 # Only override the default if there is a collision.
464 # Qt ctrl = cmd on OSX, so the match gets a false positive on OSX.
464 # Qt ctrl = cmd on OSX, so the match gets a false positive on OSX.
465 selectall = "Ctrl+Shift+A"
465 selectall = "Ctrl+Shift+A"
466 self.select_all_action = QtGui.QAction("Select &All",
466 self.select_all_action = QtGui.QAction("Select &All",
467 self,
467 self,
468 shortcut=selectall,
468 shortcut=selectall,
469 triggered=self.select_all_active_frontend
469 triggered=self.select_all_active_frontend
470 )
470 )
471 self.add_menu_action(self.edit_menu, self.select_all_action, True)
471 self.add_menu_action(self.edit_menu, self.select_all_action, True)
472
472
473
473
474 def init_view_menu(self):
474 def init_view_menu(self):
475 self.view_menu = self.menuBar().addMenu("&View")
475 self.view_menu = self.menuBar().addMenu("&View")
476
476
477 if sys.platform != 'darwin':
477 if sys.platform != 'darwin':
478 # disable on OSX, where there is always a menu bar
478 # disable on OSX, where there is always a menu bar
479 self.toggle_menu_bar_act = QtGui.QAction("Toggle &Menu Bar",
479 self.toggle_menu_bar_act = QtGui.QAction("Toggle &Menu Bar",
480 self,
480 self,
481 shortcut="Ctrl+Shift+M",
481 shortcut="Ctrl+Shift+M",
482 statusTip="Toggle visibility of menubar",
482 statusTip="Toggle visibility of menubar",
483 triggered=self.toggle_menu_bar)
483 triggered=self.toggle_menu_bar)
484 self.add_menu_action(self.view_menu, self.toggle_menu_bar_act)
484 self.add_menu_action(self.view_menu, self.toggle_menu_bar_act)
485
485
486 fs_key = "Ctrl+Meta+F" if sys.platform == 'darwin' else "F11"
486 fs_key = "Ctrl+Meta+F" if sys.platform == 'darwin' else "F11"
487 self.full_screen_act = QtGui.QAction("&Full Screen",
487 self.full_screen_act = QtGui.QAction("&Full Screen",
488 self,
488 self,
489 shortcut=fs_key,
489 shortcut=fs_key,
490 statusTip="Toggle between Fullscreen and Normal Size",
490 statusTip="Toggle between Fullscreen and Normal Size",
491 triggered=self.toggleFullScreen)
491 triggered=self.toggleFullScreen)
492 self.add_menu_action(self.view_menu, self.full_screen_act)
492 self.add_menu_action(self.view_menu, self.full_screen_act)
493
493
494 self.view_menu.addSeparator()
494 self.view_menu.addSeparator()
495
495
496 self.increase_font_size = QtGui.QAction("Zoom &In",
496 self.increase_font_size = QtGui.QAction("Zoom &In",
497 self,
497 self,
498 shortcut=QtGui.QKeySequence.ZoomIn,
498 shortcut=QtGui.QKeySequence.ZoomIn,
499 triggered=self.increase_font_size_active_frontend
499 triggered=self.increase_font_size_active_frontend
500 )
500 )
501 self.add_menu_action(self.view_menu, self.increase_font_size, True)
501 self.add_menu_action(self.view_menu, self.increase_font_size, True)
502
502
503 self.decrease_font_size = QtGui.QAction("Zoom &Out",
503 self.decrease_font_size = QtGui.QAction("Zoom &Out",
504 self,
504 self,
505 shortcut=QtGui.QKeySequence.ZoomOut,
505 shortcut=QtGui.QKeySequence.ZoomOut,
506 triggered=self.decrease_font_size_active_frontend
506 triggered=self.decrease_font_size_active_frontend
507 )
507 )
508 self.add_menu_action(self.view_menu, self.decrease_font_size, True)
508 self.add_menu_action(self.view_menu, self.decrease_font_size, True)
509
509
510 self.reset_font_size = QtGui.QAction("Zoom &Reset",
510 self.reset_font_size = QtGui.QAction("Zoom &Reset",
511 self,
511 self,
512 shortcut="Ctrl+0",
512 shortcut="Ctrl+0",
513 triggered=self.reset_font_size_active_frontend
513 triggered=self.reset_font_size_active_frontend
514 )
514 )
515 self.add_menu_action(self.view_menu, self.reset_font_size, True)
515 self.add_menu_action(self.view_menu, self.reset_font_size, True)
516
516
517 self.view_menu.addSeparator()
517 self.view_menu.addSeparator()
518
518
519 self.clear_action = QtGui.QAction("&Clear Screen",
519 self.clear_action = QtGui.QAction("&Clear Screen",
520 self,
520 self,
521 shortcut='Ctrl+L',
521 shortcut='Ctrl+L',
522 statusTip="Clear the console",
522 statusTip="Clear the console",
523 triggered=self.clear_magic_active_frontend)
523 triggered=self.clear_magic_active_frontend)
524 self.add_menu_action(self.view_menu, self.clear_action)
524 self.add_menu_action(self.view_menu, self.clear_action)
525 self.pager_menu = self.view_menu.addMenu("Pager")
526
525
526 self.pager_menu = self.view_menu.addMenu("&Pager")
527
527
528 self.hsplit_action = QtGui.QAction(".. &Horizontal Split",
528 hsplit_action = QtGui.QAction(".. &Horizontal Split",
529 self,
529 self,
530 triggered=self.pager_hsplit)
530 triggered=lambda: self.set_paging_active_frontend('hsplit'))
531
531
532 self.vsplit_action = QtGui.QAction(" : &Vertical Split",
532 vsplit_action = QtGui.QAction(" : &Vertical Split",
533 self,
533 self,
534 triggered=self.pager_vsplit)
534 triggered=lambda: self.set_paging_active_frontend('vsplit'))
535
536 inside_action = QtGui.QAction(" &Inside Pager",
537 self,
538 triggered=lambda: self.set_paging_active_frontend('inside'))
539
540 self.pager_menu.addAction(hsplit_action)
541 self.pager_menu.addAction(vsplit_action)
542 self.pager_menu.addAction(inside_action)
535
543
536 self.pager_menu.addAction(self.hsplit_action)
537 self.pager_menu.addAction(self.vsplit_action)
538
539 def init_kernel_menu(self):
544 def init_kernel_menu(self):
540 self.kernel_menu = self.menuBar().addMenu("&Kernel")
545 self.kernel_menu = self.menuBar().addMenu("&Kernel")
541 # Qt on OSX maps Ctrl to Cmd, and Meta to Ctrl
546 # Qt on OSX maps Ctrl to Cmd, and Meta to Ctrl
542 # keep the signal shortcuts to ctrl, rather than
547 # keep the signal shortcuts to ctrl, rather than
543 # platform-default like we do elsewhere.
548 # platform-default like we do elsewhere.
544
549
545 ctrl = "Meta" if sys.platform == 'darwin' else "Ctrl"
550 ctrl = "Meta" if sys.platform == 'darwin' else "Ctrl"
546
551
547 self.interrupt_kernel_action = QtGui.QAction("Interrupt current Kernel",
552 self.interrupt_kernel_action = QtGui.QAction("Interrupt current Kernel",
548 self,
553 self,
549 triggered=self.interrupt_kernel_active_frontend,
554 triggered=self.interrupt_kernel_active_frontend,
550 shortcut=ctrl+"+C",
555 shortcut=ctrl+"+C",
551 )
556 )
552 self.add_menu_action(self.kernel_menu, self.interrupt_kernel_action)
557 self.add_menu_action(self.kernel_menu, self.interrupt_kernel_action)
553
558
554 self.restart_kernel_action = QtGui.QAction("Restart current Kernel",
559 self.restart_kernel_action = QtGui.QAction("Restart current Kernel",
555 self,
560 self,
556 triggered=self.restart_kernel_active_frontend,
561 triggered=self.restart_kernel_active_frontend,
557 shortcut=ctrl+"+.",
562 shortcut=ctrl+"+.",
558 )
563 )
559 self.add_menu_action(self.kernel_menu, self.restart_kernel_action)
564 self.add_menu_action(self.kernel_menu, self.restart_kernel_action)
560
565
561 self.kernel_menu.addSeparator()
566 self.kernel_menu.addSeparator()
562
567
563 def _make_dynamic_magic(self,magic):
568 def _make_dynamic_magic(self,magic):
564 """Return a function `fun` that will execute `magic` on active frontend.
569 """Return a function `fun` that will execute `magic` on active frontend.
565
570
566 Parameters
571 Parameters
567 ----------
572 ----------
568 magic : string
573 magic : string
569 string that will be executed as is when the returned function is called
574 string that will be executed as is when the returned function is called
570
575
571 Returns
576 Returns
572 -------
577 -------
573 fun : function
578 fun : function
574 function with no parameters, when called will execute `magic` on the
579 function with no parameters, when called will execute `magic` on the
575 current active frontend at call time
580 current active frontend at call time
576
581
577 See Also
582 See Also
578 --------
583 --------
579 populate_all_magic_menu : generate the "All Magics..." menu
584 populate_all_magic_menu : generate the "All Magics..." menu
580
585
581 Notes
586 Notes
582 -----
587 -----
583 `fun` execute `magic` an active frontend at the moment it is triggerd,
588 `fun` execute `magic` an active frontend at the moment it is triggerd,
584 not the active frontend at the moment it has been created.
589 not the active frontend at the moment it has been created.
585
590
586 This function is mostly used to create the "All Magics..." Menu at run time.
591 This function is mostly used to create the "All Magics..." Menu at run time.
587 """
592 """
588 # need to level nested function to be sure to past magic
593 # need to level nested function to be sure to past magic
589 # on active frontend **at run time**.
594 # on active frontend **at run time**.
590 def inner_dynamic_magic():
595 def inner_dynamic_magic():
591 self.active_frontend.execute(magic)
596 self.active_frontend.execute(magic)
592 inner_dynamic_magic.__name__ = "dynamics_magic_s"
597 inner_dynamic_magic.__name__ = "dynamics_magic_s"
593 return inner_dynamic_magic
598 return inner_dynamic_magic
594
599
595 def populate_all_magic_menu(self, listofmagic=None):
600 def populate_all_magic_menu(self, listofmagic=None):
596 """Clean "All Magics..." menu and repopulate it with `listofmagic`
601 """Clean "All Magics..." menu and repopulate it with `listofmagic`
597
602
598 Parameters
603 Parameters
599 ----------
604 ----------
600 listofmagic : string,
605 listofmagic : string,
601 repr() of a list of strings, send back by the kernel
606 repr() of a list of strings, send back by the kernel
602
607
603 Notes
608 Notes
604 -----
609 -----
605 `listofmagic`is a repr() of list because it is fed with the result of
610 `listofmagic`is a repr() of list because it is fed with the result of
606 a 'user_expression'
611 a 'user_expression'
607 """
612 """
608 alm_magic_menu = self.all_magic_menu
613 alm_magic_menu = self.all_magic_menu
609 alm_magic_menu.clear()
614 alm_magic_menu.clear()
610
615
611 # list of protected magic that don't like to be called without argument
616 # list of protected magic that don't like to be called without argument
612 # append '?' to the end to print the docstring when called from the menu
617 # append '?' to the end to print the docstring when called from the menu
613 protected_magic = set(["more","less","load_ext","pycat","loadpy","save"])
618 protected_magic = set(["more","less","load_ext","pycat","loadpy","save"])
614 magics=re.findall('\w+', listofmagic)
619 magics=re.findall('\w+', listofmagic)
615 for magic in magics:
620 for magic in magics:
616 if magic in protected_magic:
621 if magic in protected_magic:
617 pmagic = '%s%s%s'%('%',magic,'?')
622 pmagic = '%s%s%s'%('%',magic,'?')
618 else:
623 else:
619 pmagic = '%s%s'%('%',magic)
624 pmagic = '%s%s'%('%',magic)
620 xaction = QtGui.QAction(pmagic,
625 xaction = QtGui.QAction(pmagic,
621 self,
626 self,
622 triggered=self._make_dynamic_magic(pmagic)
627 triggered=self._make_dynamic_magic(pmagic)
623 )
628 )
624 alm_magic_menu.addAction(xaction)
629 alm_magic_menu.addAction(xaction)
625
630
626 def update_all_magic_menu(self):
631 def update_all_magic_menu(self):
627 """ Update the list on magic in the "All Magics..." Menu
632 """ Update the list on magic in the "All Magics..." Menu
628
633
629 Request the kernel with the list of availlable magic and populate the
634 Request the kernel with the list of availlable magic and populate the
630 menu with the list received back
635 menu with the list received back
631
636
632 """
637 """
633 # first define a callback which will get the list of all magic and put it in the menu.
638 # first define a callback which will get the list of all magic and put it in the menu.
634 self.active_frontend._silent_exec_callback('get_ipython().lsmagic()', self.populate_all_magic_menu)
639 self.active_frontend._silent_exec_callback('get_ipython().lsmagic()', self.populate_all_magic_menu)
635
640
636 def init_magic_menu(self):
641 def init_magic_menu(self):
637 self.magic_menu = self.menuBar().addMenu("&Magic")
642 self.magic_menu = self.menuBar().addMenu("&Magic")
638 self.all_magic_menu = self.magic_menu.addMenu("&All Magics")
643 self.all_magic_menu = self.magic_menu.addMenu("&All Magics")
639
644
640 # This action should usually not appear as it will be cleared when menu
645 # This action should usually not appear as it will be cleared when menu
641 # is updated at first kernel response. Though, it is necessary when
646 # is updated at first kernel response. Though, it is necessary when
642 # connecting through X-forwarding, as in this case, the menu is not
647 # connecting through X-forwarding, as in this case, the menu is not
643 # auto updated, SO DO NOT DELETE.
648 # auto updated, SO DO NOT DELETE.
644 self.pop = QtGui.QAction("&Update All Magic Menu ",
649 self.pop = QtGui.QAction("&Update All Magic Menu ",
645 self, triggered=self.update_all_magic_menu)
650 self, triggered=self.update_all_magic_menu)
646 self.add_menu_action(self.all_magic_menu, self.pop)
651 self.add_menu_action(self.all_magic_menu, self.pop)
647 # we need to populate the 'Magic Menu' once the kernel has answer at
652 # we need to populate the 'Magic Menu' once the kernel has answer at
648 # least once let's do it immedialy, but it's assured to works
653 # least once let's do it immedialy, but it's assured to works
649 self.pop.trigger()
654 self.pop.trigger()
650
655
651 self.reset_action = QtGui.QAction("&Reset",
656 self.reset_action = QtGui.QAction("&Reset",
652 self,
657 self,
653 statusTip="Clear all varible from workspace",
658 statusTip="Clear all varible from workspace",
654 triggered=self.reset_magic_active_frontend)
659 triggered=self.reset_magic_active_frontend)
655 self.add_menu_action(self.magic_menu, self.reset_action)
660 self.add_menu_action(self.magic_menu, self.reset_action)
656
661
657 self.history_action = QtGui.QAction("&History",
662 self.history_action = QtGui.QAction("&History",
658 self,
663 self,
659 statusTip="show command history",
664 statusTip="show command history",
660 triggered=self.history_magic_active_frontend)
665 triggered=self.history_magic_active_frontend)
661 self.add_menu_action(self.magic_menu, self.history_action)
666 self.add_menu_action(self.magic_menu, self.history_action)
662
667
663 self.save_action = QtGui.QAction("E&xport History ",
668 self.save_action = QtGui.QAction("E&xport History ",
664 self,
669 self,
665 statusTip="Export History as Python File",
670 statusTip="Export History as Python File",
666 triggered=self.save_magic_active_frontend)
671 triggered=self.save_magic_active_frontend)
667 self.add_menu_action(self.magic_menu, self.save_action)
672 self.add_menu_action(self.magic_menu, self.save_action)
668
673
669 self.who_action = QtGui.QAction("&Who",
674 self.who_action = QtGui.QAction("&Who",
670 self,
675 self,
671 statusTip="List interactive variable",
676 statusTip="List interactive variable",
672 triggered=self.who_magic_active_frontend)
677 triggered=self.who_magic_active_frontend)
673 self.add_menu_action(self.magic_menu, self.who_action)
678 self.add_menu_action(self.magic_menu, self.who_action)
674
679
675 self.who_ls_action = QtGui.QAction("Wh&o ls",
680 self.who_ls_action = QtGui.QAction("Wh&o ls",
676 self,
681 self,
677 statusTip="Return a list of interactive variable",
682 statusTip="Return a list of interactive variable",
678 triggered=self.who_ls_magic_active_frontend)
683 triggered=self.who_ls_magic_active_frontend)
679 self.add_menu_action(self.magic_menu, self.who_ls_action)
684 self.add_menu_action(self.magic_menu, self.who_ls_action)
680
685
681 self.whos_action = QtGui.QAction("Who&s",
686 self.whos_action = QtGui.QAction("Who&s",
682 self,
687 self,
683 statusTip="List interactive variable with detail",
688 statusTip="List interactive variable with detail",
684 triggered=self.whos_magic_active_frontend)
689 triggered=self.whos_magic_active_frontend)
685 self.add_menu_action(self.magic_menu, self.whos_action)
690 self.add_menu_action(self.magic_menu, self.whos_action)
686
691
687 def init_window_menu(self):
692 def init_window_menu(self):
688 self.window_menu = self.menuBar().addMenu("&Window")
693 self.window_menu = self.menuBar().addMenu("&Window")
689 if sys.platform == 'darwin':
694 if sys.platform == 'darwin':
690 # add min/maximize actions to OSX, which lacks default bindings.
695 # add min/maximize actions to OSX, which lacks default bindings.
691 self.minimizeAct = QtGui.QAction("Mini&mize",
696 self.minimizeAct = QtGui.QAction("Mini&mize",
692 self,
697 self,
693 shortcut="Ctrl+m",
698 shortcut="Ctrl+m",
694 statusTip="Minimize the window/Restore Normal Size",
699 statusTip="Minimize the window/Restore Normal Size",
695 triggered=self.toggleMinimized)
700 triggered=self.toggleMinimized)
696 # maximize is called 'Zoom' on OSX for some reason
701 # maximize is called 'Zoom' on OSX for some reason
697 self.maximizeAct = QtGui.QAction("&Zoom",
702 self.maximizeAct = QtGui.QAction("&Zoom",
698 self,
703 self,
699 shortcut="Ctrl+Shift+M",
704 shortcut="Ctrl+Shift+M",
700 statusTip="Maximize the window/Restore Normal Size",
705 statusTip="Maximize the window/Restore Normal Size",
701 triggered=self.toggleMaximized)
706 triggered=self.toggleMaximized)
702
707
703 self.add_menu_action(self.window_menu, self.minimizeAct)
708 self.add_menu_action(self.window_menu, self.minimizeAct)
704 self.add_menu_action(self.window_menu, self.maximizeAct)
709 self.add_menu_action(self.window_menu, self.maximizeAct)
705 self.window_menu.addSeparator()
710 self.window_menu.addSeparator()
706
711
707 prev_key = "Ctrl+Shift+Left" if sys.platform == 'darwin' else "Ctrl+PgUp"
712 prev_key = "Ctrl+Shift+Left" if sys.platform == 'darwin' else "Ctrl+PgUp"
708 self.prev_tab_act = QtGui.QAction("Pre&vious Tab",
713 self.prev_tab_act = QtGui.QAction("Pre&vious Tab",
709 self,
714 self,
710 shortcut=prev_key,
715 shortcut=prev_key,
711 statusTip="Select previous tab",
716 statusTip="Select previous tab",
712 triggered=self.prev_tab)
717 triggered=self.prev_tab)
713 self.add_menu_action(self.window_menu, self.prev_tab_act)
718 self.add_menu_action(self.window_menu, self.prev_tab_act)
714
719
715 next_key = "Ctrl+Shift+Right" if sys.platform == 'darwin' else "Ctrl+PgDown"
720 next_key = "Ctrl+Shift+Right" if sys.platform == 'darwin' else "Ctrl+PgDown"
716 self.next_tab_act = QtGui.QAction("Ne&xt Tab",
721 self.next_tab_act = QtGui.QAction("Ne&xt Tab",
717 self,
722 self,
718 shortcut=next_key,
723 shortcut=next_key,
719 statusTip="Select next tab",
724 statusTip="Select next tab",
720 triggered=self.next_tab)
725 triggered=self.next_tab)
721 self.add_menu_action(self.window_menu, self.next_tab_act)
726 self.add_menu_action(self.window_menu, self.next_tab_act)
722
727
723 def init_help_menu(self):
728 def init_help_menu(self):
724 # please keep the Help menu in Mac Os even if empty. It will
729 # please keep the Help menu in Mac Os even if empty. It will
725 # automatically contain a search field to search inside menus and
730 # automatically contain a search field to search inside menus and
726 # please keep it spelled in English, as long as Qt Doesn't support
731 # please keep it spelled in English, as long as Qt Doesn't support
727 # a QAction.MenuRole like HelpMenuRole otherwise it will loose
732 # a QAction.MenuRole like HelpMenuRole otherwise it will loose
728 # this search field fonctionality
733 # this search field fonctionality
729
734
730 self.help_menu = self.menuBar().addMenu("&Help")
735 self.help_menu = self.menuBar().addMenu("&Help")
731
736
732
737
733 # Help Menu
738 # Help Menu
734
739
735 self.intro_active_frontend_action = QtGui.QAction("&Intro to IPython",
740 self.intro_active_frontend_action = QtGui.QAction("&Intro to IPython",
736 self,
741 self,
737 triggered=self.intro_active_frontend
742 triggered=self.intro_active_frontend
738 )
743 )
739 self.add_menu_action(self.help_menu, self.intro_active_frontend_action)
744 self.add_menu_action(self.help_menu, self.intro_active_frontend_action)
740
745
741 self.quickref_active_frontend_action = QtGui.QAction("IPython &Cheat Sheet",
746 self.quickref_active_frontend_action = QtGui.QAction("IPython &Cheat Sheet",
742 self,
747 self,
743 triggered=self.quickref_active_frontend
748 triggered=self.quickref_active_frontend
744 )
749 )
745 self.add_menu_action(self.help_menu, self.quickref_active_frontend_action)
750 self.add_menu_action(self.help_menu, self.quickref_active_frontend_action)
746
751
747 self.guiref_active_frontend_action = QtGui.QAction("&Qt Console",
752 self.guiref_active_frontend_action = QtGui.QAction("&Qt Console",
748 self,
753 self,
749 triggered=self.guiref_active_frontend
754 triggered=self.guiref_active_frontend
750 )
755 )
751 self.add_menu_action(self.help_menu, self.guiref_active_frontend_action)
756 self.add_menu_action(self.help_menu, self.guiref_active_frontend_action)
752
757
753 self.onlineHelpAct = QtGui.QAction("Open Online &Help",
758 self.onlineHelpAct = QtGui.QAction("Open Online &Help",
754 self,
759 self,
755 triggered=self._open_online_help)
760 triggered=self._open_online_help)
756 self.add_menu_action(self.help_menu, self.onlineHelpAct)
761 self.add_menu_action(self.help_menu, self.onlineHelpAct)
757
762
758 # minimize/maximize/fullscreen actions:
763 # minimize/maximize/fullscreen actions:
759
764
760 def toggle_menu_bar(self):
765 def toggle_menu_bar(self):
761 menu_bar = self.menuBar()
766 menu_bar = self.menuBar()
762 if menu_bar.isVisible():
767 if menu_bar.isVisible():
763 menu_bar.setVisible(False)
768 menu_bar.setVisible(False)
764 else:
769 else:
765 menu_bar.setVisible(True)
770 menu_bar.setVisible(True)
766
771
767 def toggleMinimized(self):
772 def toggleMinimized(self):
768 if not self.isMinimized():
773 if not self.isMinimized():
769 self.showMinimized()
774 self.showMinimized()
770 else:
775 else:
771 self.showNormal()
776 self.showNormal()
772
777
773 def _open_online_help(self):
778 def _open_online_help(self):
774 filename="http://ipython.org/ipython-doc/stable/index.html"
779 filename="http://ipython.org/ipython-doc/stable/index.html"
775 webbrowser.open(filename, new=1, autoraise=True)
780 webbrowser.open(filename, new=1, autoraise=True)
776
781
777 def toggleMaximized(self):
782 def toggleMaximized(self):
778 if not self.isMaximized():
783 if not self.isMaximized():
779 self.showMaximized()
784 self.showMaximized()
780 else:
785 else:
781 self.showNormal()
786 self.showNormal()
782
787
783 # Min/Max imizing while in full screen give a bug
788 # Min/Max imizing while in full screen give a bug
784 # when going out of full screen, at least on OSX
789 # when going out of full screen, at least on OSX
785 def toggleFullScreen(self):
790 def toggleFullScreen(self):
786 if not self.isFullScreen():
791 if not self.isFullScreen():
787 self.showFullScreen()
792 self.showFullScreen()
788 if sys.platform == 'darwin':
793 if sys.platform == 'darwin':
789 self.maximizeAct.setEnabled(False)
794 self.maximizeAct.setEnabled(False)
790 self.minimizeAct.setEnabled(False)
795 self.minimizeAct.setEnabled(False)
791 else:
796 else:
792 self.showNormal()
797 self.showNormal()
793 if sys.platform == 'darwin':
798 if sys.platform == 'darwin':
794 self.maximizeAct.setEnabled(True)
799 self.maximizeAct.setEnabled(True)
795 self.minimizeAct.setEnabled(True)
800 self.minimizeAct.setEnabled(True)
796
801
797 def pager_vsplit(self):
802 def set_paging_active_frontend(self, paging):
798 self.active_frontend.paging = "vsplit"
803 self.active_frontend._set_paging(paging)
799 self.active_frontend._splitter.setOrientation(QtCore.Qt.Vertical)
800
801 def pager_hsplit(self):
802 self.active_frontend.paging = "hsplit"
803 self.active_frontend._splitter.setOrientation(QtCore.Qt.Horizontal)
804
804
805 def close_active_frontend(self):
805 def close_active_frontend(self):
806 self.close_tab(self.active_frontend)
806 self.close_tab(self.active_frontend)
807
807
808 def restart_kernel_active_frontend(self):
808 def restart_kernel_active_frontend(self):
809 self.active_frontend.request_restart_kernel()
809 self.active_frontend.request_restart_kernel()
810
810
811 def interrupt_kernel_active_frontend(self):
811 def interrupt_kernel_active_frontend(self):
812 self.active_frontend.request_interrupt_kernel()
812 self.active_frontend.request_interrupt_kernel()
813
813
814 def cut_active_frontend(self):
814 def cut_active_frontend(self):
815 widget = self.active_frontend
815 widget = self.active_frontend
816 if widget.can_cut():
816 if widget.can_cut():
817 widget.cut()
817 widget.cut()
818
818
819 def copy_active_frontend(self):
819 def copy_active_frontend(self):
820 widget = self.active_frontend
820 widget = self.active_frontend
821 widget.copy()
821 widget.copy()
822
822
823 def copy_raw_active_frontend(self):
823 def copy_raw_active_frontend(self):
824 self.active_frontend._copy_raw_action.trigger()
824 self.active_frontend._copy_raw_action.trigger()
825
825
826 def paste_active_frontend(self):
826 def paste_active_frontend(self):
827 widget = self.active_frontend
827 widget = self.active_frontend
828 if widget.can_paste():
828 if widget.can_paste():
829 widget.paste()
829 widget.paste()
830
830
831 def undo_active_frontend(self):
831 def undo_active_frontend(self):
832 self.active_frontend.undo()
832 self.active_frontend.undo()
833
833
834 def redo_active_frontend(self):
834 def redo_active_frontend(self):
835 self.active_frontend.redo()
835 self.active_frontend.redo()
836
836
837 def reset_magic_active_frontend(self):
837 def reset_magic_active_frontend(self):
838 self.active_frontend.execute("%reset")
838 self.active_frontend.execute("%reset")
839
839
840 def history_magic_active_frontend(self):
840 def history_magic_active_frontend(self):
841 self.active_frontend.execute("%history")
841 self.active_frontend.execute("%history")
842
842
843 def save_magic_active_frontend(self):
843 def save_magic_active_frontend(self):
844 self.active_frontend.save_magic()
844 self.active_frontend.save_magic()
845
845
846 def clear_magic_active_frontend(self):
846 def clear_magic_active_frontend(self):
847 self.active_frontend.execute("%clear")
847 self.active_frontend.execute("%clear")
848
848
849 def who_magic_active_frontend(self):
849 def who_magic_active_frontend(self):
850 self.active_frontend.execute("%who")
850 self.active_frontend.execute("%who")
851
851
852 def who_ls_magic_active_frontend(self):
852 def who_ls_magic_active_frontend(self):
853 self.active_frontend.execute("%who_ls")
853 self.active_frontend.execute("%who_ls")
854
854
855 def whos_magic_active_frontend(self):
855 def whos_magic_active_frontend(self):
856 self.active_frontend.execute("%whos")
856 self.active_frontend.execute("%whos")
857
857
858 def print_action_active_frontend(self):
858 def print_action_active_frontend(self):
859 self.active_frontend.print_action.trigger()
859 self.active_frontend.print_action.trigger()
860
860
861 def export_action_active_frontend(self):
861 def export_action_active_frontend(self):
862 self.active_frontend.export_action.trigger()
862 self.active_frontend.export_action.trigger()
863
863
864 def select_all_active_frontend(self):
864 def select_all_active_frontend(self):
865 self.active_frontend.select_all_action.trigger()
865 self.active_frontend.select_all_action.trigger()
866
866
867 def increase_font_size_active_frontend(self):
867 def increase_font_size_active_frontend(self):
868 self.active_frontend.increase_font_size.trigger()
868 self.active_frontend.increase_font_size.trigger()
869
869
870 def decrease_font_size_active_frontend(self):
870 def decrease_font_size_active_frontend(self):
871 self.active_frontend.decrease_font_size.trigger()
871 self.active_frontend.decrease_font_size.trigger()
872
872
873 def reset_font_size_active_frontend(self):
873 def reset_font_size_active_frontend(self):
874 self.active_frontend.reset_font_size.trigger()
874 self.active_frontend.reset_font_size.trigger()
875
875
876 def guiref_active_frontend(self):
876 def guiref_active_frontend(self):
877 self.active_frontend.execute("%guiref")
877 self.active_frontend.execute("%guiref")
878
878
879 def intro_active_frontend(self):
879 def intro_active_frontend(self):
880 self.active_frontend.execute("?")
880 self.active_frontend.execute("?")
881
881
882 def quickref_active_frontend(self):
882 def quickref_active_frontend(self):
883 self.active_frontend.execute("%quickref")
883 self.active_frontend.execute("%quickref")
884 #---------------------------------------------------------------------------
884 #---------------------------------------------------------------------------
885 # QWidget interface
885 # QWidget interface
886 #---------------------------------------------------------------------------
886 #---------------------------------------------------------------------------
887
887
888 def closeEvent(self, event):
888 def closeEvent(self, event):
889 """ Forward the close event to every tabs contained by the windows
889 """ Forward the close event to every tabs contained by the windows
890 """
890 """
891 if self.tab_widget.count() == 0:
891 if self.tab_widget.count() == 0:
892 # no tabs, just close
892 # no tabs, just close
893 event.accept()
893 event.accept()
894 return
894 return
895 # Do Not loop on the widget count as it change while closing
895 # Do Not loop on the widget count as it change while closing
896 title = self.window().windowTitle()
896 title = self.window().windowTitle()
897 cancel = QtGui.QMessageBox.Cancel
897 cancel = QtGui.QMessageBox.Cancel
898 okay = QtGui.QMessageBox.Ok
898 okay = QtGui.QMessageBox.Ok
899
899
900 if self.confirm_exit:
900 if self.confirm_exit:
901 if self.tab_widget.count() > 1:
901 if self.tab_widget.count() > 1:
902 msg = "Close all tabs, stop all kernels, and Quit?"
902 msg = "Close all tabs, stop all kernels, and Quit?"
903 else:
903 else:
904 msg = "Close console, stop kernel, and Quit?"
904 msg = "Close console, stop kernel, and Quit?"
905 info = "Kernels not started here (e.g. notebooks) will be left alone."
905 info = "Kernels not started here (e.g. notebooks) will be left alone."
906 closeall = QtGui.QPushButton("&Quit", self)
906 closeall = QtGui.QPushButton("&Quit", self)
907 closeall.setShortcut('Q')
907 closeall.setShortcut('Q')
908 box = QtGui.QMessageBox(QtGui.QMessageBox.Question,
908 box = QtGui.QMessageBox(QtGui.QMessageBox.Question,
909 title, msg)
909 title, msg)
910 box.setInformativeText(info)
910 box.setInformativeText(info)
911 box.addButton(cancel)
911 box.addButton(cancel)
912 box.addButton(closeall, QtGui.QMessageBox.YesRole)
912 box.addButton(closeall, QtGui.QMessageBox.YesRole)
913 box.setDefaultButton(closeall)
913 box.setDefaultButton(closeall)
914 box.setEscapeButton(cancel)
914 box.setEscapeButton(cancel)
915 pixmap = QtGui.QPixmap(self._app.icon.pixmap(QtCore.QSize(64,64)))
915 pixmap = QtGui.QPixmap(self._app.icon.pixmap(QtCore.QSize(64,64)))
916 box.setIconPixmap(pixmap)
916 box.setIconPixmap(pixmap)
917 reply = box.exec_()
917 reply = box.exec_()
918 else:
918 else:
919 reply = okay
919 reply = okay
920
920
921 if reply == cancel:
921 if reply == cancel:
922 event.ignore()
922 event.ignore()
923 return
923 return
924 if reply == okay:
924 if reply == okay:
925 while self.tab_widget.count() >= 1:
925 while self.tab_widget.count() >= 1:
926 # prevent further confirmations:
926 # prevent further confirmations:
927 widget = self.active_frontend
927 widget = self.active_frontend
928 widget._confirm_exit = False
928 widget._confirm_exit = False
929 self.close_tab(widget)
929 self.close_tab(widget)
930 event.accept()
930 event.accept()
931
931
General Comments 0
You need to be logged in to leave comments. Login now