##// END OF EJS Templates
Add module-level access to register method
Thomas Kluyver -
Show More
@@ -1,560 +1,561 b''
1 1 # coding: utf-8
2 2 """
3 3 Inputhook management for GUI event loop integration.
4 4 """
5 5
6 6 #-----------------------------------------------------------------------------
7 7 # Copyright (C) 2008-2011 The IPython Development Team
8 8 #
9 9 # Distributed under the terms of the BSD License. The full license is in
10 10 # the file COPYING, distributed as part of this software.
11 11 #-----------------------------------------------------------------------------
12 12
13 13 #-----------------------------------------------------------------------------
14 14 # Imports
15 15 #-----------------------------------------------------------------------------
16 16
17 17 try:
18 18 import ctypes
19 19 except ImportError:
20 20 ctypes = None
21 21 except SystemError: # IronPython issue, 2/8/2014
22 22 ctypes = None
23 23 import os
24 24 import sys
25 25 from distutils.version import LooseVersion as V
26 26
27 27 from IPython.utils.warn import warn
28 28
29 29 #-----------------------------------------------------------------------------
30 30 # Constants
31 31 #-----------------------------------------------------------------------------
32 32
33 33 # Constants for identifying the GUI toolkits.
34 34 GUI_WX = 'wx'
35 35 GUI_QT = 'qt'
36 36 GUI_QT4 = 'qt4'
37 37 GUI_GTK = 'gtk'
38 38 GUI_TK = 'tk'
39 39 GUI_OSX = 'osx'
40 40 GUI_GLUT = 'glut'
41 41 GUI_PYGLET = 'pyglet'
42 42 GUI_GTK3 = 'gtk3'
43 43 GUI_NONE = 'none' # i.e. disable
44 44
45 45 #-----------------------------------------------------------------------------
46 46 # Utilities
47 47 #-----------------------------------------------------------------------------
48 48
49 49 def _stdin_ready_posix():
50 50 """Return True if there's something to read on stdin (posix version)."""
51 51 infds, outfds, erfds = select.select([sys.stdin],[],[],0)
52 52 return bool(infds)
53 53
54 54 def _stdin_ready_nt():
55 55 """Return True if there's something to read on stdin (nt version)."""
56 56 return msvcrt.kbhit()
57 57
58 58 def _stdin_ready_other():
59 59 """Return True, assuming there's something to read on stdin."""
60 60 return True #
61 61
62 62
63 63 def _ignore_CTRL_C_posix():
64 64 """Ignore CTRL+C (SIGINT)."""
65 65 signal.signal(signal.SIGINT, signal.SIG_IGN)
66 66
67 67 def _allow_CTRL_C_posix():
68 68 """Take CTRL+C into account (SIGINT)."""
69 69 signal.signal(signal.SIGINT, signal.default_int_handler)
70 70
71 71 def _ignore_CTRL_C_other():
72 72 """Ignore CTRL+C (not implemented)."""
73 73 pass
74 74
75 75 def _allow_CTRL_C_other():
76 76 """Take CTRL+C into account (not implemented)."""
77 77 pass
78 78
79 79 if os.name == 'posix':
80 80 import select
81 81 import signal
82 82 stdin_ready = _stdin_ready_posix
83 83 ignore_CTRL_C = _ignore_CTRL_C_posix
84 84 allow_CTRL_C = _allow_CTRL_C_posix
85 85 elif os.name == 'nt':
86 86 import msvcrt
87 87 stdin_ready = _stdin_ready_nt
88 88 ignore_CTRL_C = _ignore_CTRL_C_other
89 89 allow_CTRL_C = _allow_CTRL_C_other
90 90 else:
91 91 stdin_ready = _stdin_ready_other
92 92 ignore_CTRL_C = _ignore_CTRL_C_other
93 93 allow_CTRL_C = _allow_CTRL_C_other
94 94
95 95
96 96 #-----------------------------------------------------------------------------
97 97 # Main InputHookManager class
98 98 #-----------------------------------------------------------------------------
99 99
100 100
101 101 class InputHookManager(object):
102 102 """Manage PyOS_InputHook for different GUI toolkits.
103 103
104 104 This class installs various hooks under ``PyOSInputHook`` to handle
105 105 GUI event loop integration.
106 106 """
107 107
108 108 def __init__(self):
109 109 if ctypes is None:
110 110 warn("IPython GUI event loop requires ctypes, %gui will not be available")
111 111 return
112 112 self.PYFUNC = ctypes.PYFUNCTYPE(ctypes.c_int)
113 113 self.guihooks = {}
114 114 self.aliases = {}
115 115 self.apps = {}
116 116 self._reset()
117 117
118 118 def _reset(self):
119 119 self._callback_pyfunctype = None
120 120 self._callback = None
121 121 self._installed = False
122 122 self._current_gui = None
123 123
124 124 def get_pyos_inputhook(self):
125 125 """Return the current PyOS_InputHook as a ctypes.c_void_p."""
126 126 return ctypes.c_void_p.in_dll(ctypes.pythonapi,"PyOS_InputHook")
127 127
128 128 def get_pyos_inputhook_as_func(self):
129 129 """Return the current PyOS_InputHook as a ctypes.PYFUNCYPE."""
130 130 return self.PYFUNC.in_dll(ctypes.pythonapi,"PyOS_InputHook")
131 131
132 132 def set_inputhook(self, callback):
133 133 """Set PyOS_InputHook to callback and return the previous one."""
134 134 # On platforms with 'readline' support, it's all too likely to
135 135 # have a KeyboardInterrupt signal delivered *even before* an
136 136 # initial ``try:`` clause in the callback can be executed, so
137 137 # we need to disable CTRL+C in this situation.
138 138 ignore_CTRL_C()
139 139 self._callback = callback
140 140 self._callback_pyfunctype = self.PYFUNC(callback)
141 141 pyos_inputhook_ptr = self.get_pyos_inputhook()
142 142 original = self.get_pyos_inputhook_as_func()
143 143 pyos_inputhook_ptr.value = \
144 144 ctypes.cast(self._callback_pyfunctype, ctypes.c_void_p).value
145 145 self._installed = True
146 146 return original
147 147
148 148 def clear_inputhook(self, app=None):
149 149 """Set PyOS_InputHook to NULL and return the previous one.
150 150
151 151 Parameters
152 152 ----------
153 153 app : optional, ignored
154 154 This parameter is allowed only so that clear_inputhook() can be
155 155 called with a similar interface as all the ``enable_*`` methods. But
156 156 the actual value of the parameter is ignored. This uniform interface
157 157 makes it easier to have user-level entry points in the main IPython
158 158 app like :meth:`enable_gui`."""
159 159 pyos_inputhook_ptr = self.get_pyos_inputhook()
160 160 original = self.get_pyos_inputhook_as_func()
161 161 pyos_inputhook_ptr.value = ctypes.c_void_p(None).value
162 162 allow_CTRL_C()
163 163 self._reset()
164 164 return original
165 165
166 166 def clear_app_refs(self, gui=None):
167 167 """Clear IPython's internal reference to an application instance.
168 168
169 169 Whenever we create an app for a user on qt4 or wx, we hold a
170 170 reference to the app. This is needed because in some cases bad things
171 171 can happen if a user doesn't hold a reference themselves. This
172 172 method is provided to clear the references we are holding.
173 173
174 174 Parameters
175 175 ----------
176 176 gui : None or str
177 177 If None, clear all app references. If ('wx', 'qt4') clear
178 178 the app for that toolkit. References are not held for gtk or tk
179 179 as those toolkits don't have the notion of an app.
180 180 """
181 181 if gui is None:
182 182 self.apps = {}
183 183 elif gui in self.apps:
184 184 del self.apps[gui]
185 185
186 186 def register(self, toolkitname, *aliases):
187 187 """Register a class to provide the event loop for a given GUI.
188 188
189 189 This is intended to be used as a class decorator. It should be passed
190 190 the names with which to register this GUI integration. The classes
191 191 themselves should subclass :class:`InputHookBase`.
192 192
193 193 Examples
194 194 --------
195 195
196 196 @inputhook_manager.register('qt')
197 197 class QtInputHook(InputHookBase):
198 198 def enable(self, app=None):
199 199 ...
200 200 """
201 201 def decorator(cls):
202 202 inst = cls(self)
203 203 self.guihooks[toolkitname] = inst
204 204 for a in aliases:
205 205 self.aliases[a] = toolkitname
206 206 return cls
207 207 return decorator
208 208
209 209 def current_gui(self):
210 210 """Return a string indicating the currently active GUI or None."""
211 211 return self._current_gui
212 212
213 213 def enable_gui(self, gui=None, app=None):
214 214 """Switch amongst GUI input hooks by name.
215 215
216 216 This is a higher level method than :meth:`set_inputhook` - it uses the
217 217 GUI name to look up a registered object which enables the input hook
218 218 for that GUI.
219 219
220 220 Parameters
221 221 ----------
222 222 gui : optional, string or None
223 223 If None (or 'none'), clears input hook, otherwise it must be one
224 224 of the recognized GUI names (see ``GUI_*`` constants in module).
225 225
226 226 app : optional, existing application object.
227 227 For toolkits that have the concept of a global app, you can supply an
228 228 existing one. If not given, the toolkit will be probed for one, and if
229 229 none is found, a new one will be created. Note that GTK does not have
230 230 this concept, and passing an app if ``gui=="GTK"`` will raise an error.
231 231
232 232 Returns
233 233 -------
234 234 The output of the underlying gui switch routine, typically the actual
235 235 PyOS_InputHook wrapper object or the GUI toolkit app created, if there was
236 236 one.
237 237 """
238 238 if gui in (None, GUI_NONE):
239 239 return self.disable_gui()
240 240
241 241 if gui in self.aliases:
242 242 return self.enable_gui(self.aliases[gui], app)
243 243
244 244 try:
245 245 gui_hook = self.guihooks[gui]
246 246 except KeyError:
247 247 e = "Invalid GUI request {!r}, valid ones are: {}"
248 248 raise ValueError(e.format(gui, ', '.join(self.guihooks)))
249 249 self._current_gui = gui
250 250 return gui_hook.enable(app)
251 251
252 252 def disable_gui(self):
253 253 """Disable GUI event loop integration.
254 254
255 255 If an application was registered, this sets its ``_in_event_loop``
256 256 attribute to False. It then calls :meth:`clear_inputhook`.
257 257 """
258 258 gui = self._current_gui
259 259 if gui in self.apps:
260 260 self.apps[gui]._in_event_loop = False
261 261 return self.clear_inputhook()
262 262
263 263 class InputHookBase(object):
264 264 """Base class for input hooks for specific toolkits.
265 265
266 266 Subclasses should define an :meth:`enable` method with one argument, ``app``,
267 267 which will either be an instance of the toolkit's application class, or None.
268 268 They may also define a :meth:`disable` method with no arguments.
269 269 """
270 270 def __init__(self, manager):
271 271 self.manager = manager
272 272
273 273 def disable(self):
274 274 pass
275 275
276 276 inputhook_manager = InputHookManager()
277 277
278 278 @inputhook_manager.register('wx')
279 279 class WxInputHook(InputHookBase):
280 280 def enable(self, app=None):
281 281 """Enable event loop integration with wxPython.
282 282
283 283 Parameters
284 284 ----------
285 285 app : WX Application, optional.
286 286 Running application to use. If not given, we probe WX for an
287 287 existing application object, and create a new one if none is found.
288 288
289 289 Notes
290 290 -----
291 291 This methods sets the ``PyOS_InputHook`` for wxPython, which allows
292 292 the wxPython to integrate with terminal based applications like
293 293 IPython.
294 294
295 295 If ``app`` is not given we probe for an existing one, and return it if
296 296 found. If no existing app is found, we create an :class:`wx.App` as
297 297 follows::
298 298
299 299 import wx
300 300 app = wx.App(redirect=False, clearSigInt=False)
301 301 """
302 302 import wx
303 303
304 304 wx_version = V(wx.__version__).version
305 305
306 306 if wx_version < [2, 8]:
307 307 raise ValueError("requires wxPython >= 2.8, but you have %s" % wx.__version__)
308 308
309 309 from IPython.lib.inputhookwx import inputhook_wx
310 310 from IPython.external.appnope import nope
311 311 self.manager.set_inputhook(inputhook_wx)
312 312 nope()
313 313
314 314 import wx
315 315 if app is None:
316 316 app = wx.GetApp()
317 317 if app is None:
318 318 app = wx.App(redirect=False, clearSigInt=False)
319 319 app._in_event_loop = True
320 320 self.manager.apps[GUI_WX] = app
321 321 return app
322 322
323 323 def disable(self):
324 324 """Disable event loop integration with wxPython.
325 325
326 326 This restores appnapp on OS X
327 327 """
328 328 from IPython.external.appnope import nap
329 329 nap()
330 330
331 331 @inputhook_manager.register('qt', 'qt4')
332 332 class Qt4InputHook(InputHookBase):
333 333 def enable(self, app=None):
334 334 """Enable event loop integration with PyQt4.
335 335
336 336 Parameters
337 337 ----------
338 338 app : Qt Application, optional.
339 339 Running application to use. If not given, we probe Qt for an
340 340 existing application object, and create a new one if none is found.
341 341
342 342 Notes
343 343 -----
344 344 This methods sets the PyOS_InputHook for PyQt4, which allows
345 345 the PyQt4 to integrate with terminal based applications like
346 346 IPython.
347 347
348 348 If ``app`` is not given we probe for an existing one, and return it if
349 349 found. If no existing app is found, we create an :class:`QApplication`
350 350 as follows::
351 351
352 352 from PyQt4 import QtCore
353 353 app = QtGui.QApplication(sys.argv)
354 354 """
355 355 from IPython.lib.inputhookqt4 import create_inputhook_qt4
356 356 from IPython.external.appnope import nope
357 357 app, inputhook_qt4 = create_inputhook_qt4(self, app)
358 358 self.manager.set_inputhook(inputhook_qt4)
359 359 nope()
360 360
361 361 app._in_event_loop = True
362 362 self.manager.apps[GUI_QT4] = app
363 363 return app
364 364
365 365 def disable_qt4(self):
366 366 """Disable event loop integration with PyQt4.
367 367
368 368 This restores appnapp on OS X
369 369 """
370 370 from IPython.external.appnope import nap
371 371 nap()
372 372
373 373 @inputhook_manager.register('gtk')
374 374 class GtkInputHook(InputHookBase):
375 375 def enable(self, app=None):
376 376 """Enable event loop integration with PyGTK.
377 377
378 378 Parameters
379 379 ----------
380 380 app : ignored
381 381 Ignored, it's only a placeholder to keep the call signature of all
382 382 gui activation methods consistent, which simplifies the logic of
383 383 supporting magics.
384 384
385 385 Notes
386 386 -----
387 387 This methods sets the PyOS_InputHook for PyGTK, which allows
388 388 the PyGTK to integrate with terminal based applications like
389 389 IPython.
390 390 """
391 391 import gtk
392 392 try:
393 393 gtk.set_interactive(True)
394 394 except AttributeError:
395 395 # For older versions of gtk, use our own ctypes version
396 396 from IPython.lib.inputhookgtk import inputhook_gtk
397 397 self.manager.set_inputhook(inputhook_gtk)
398 398
399 399
400 400 @inputhook_manager.register('tk')
401 401 class TkInputHook(InputHookBase):
402 402 def enable(self, app=None):
403 403 """Enable event loop integration with Tk.
404 404
405 405 Parameters
406 406 ----------
407 407 app : toplevel :class:`Tkinter.Tk` widget, optional.
408 408 Running toplevel widget to use. If not given, we probe Tk for an
409 409 existing one, and create a new one if none is found.
410 410
411 411 Notes
412 412 -----
413 413 If you have already created a :class:`Tkinter.Tk` object, the only
414 414 thing done by this method is to register with the
415 415 :class:`InputHookManager`, since creating that object automatically
416 416 sets ``PyOS_InputHook``.
417 417 """
418 418 if app is None:
419 419 try:
420 420 from tkinter import Tk # Py 3
421 421 except ImportError:
422 422 from Tkinter import Tk # Py 2
423 423 app = Tk()
424 424 app.withdraw()
425 425 self.manager.apps[GUI_TK] = app
426 426 return app
427 427
428 428
429 429 @inputhook_manager.register('glut')
430 430 class GlutInputHook(InputHookBase):
431 431 def enable(self, app=None):
432 432 """Enable event loop integration with GLUT.
433 433
434 434 Parameters
435 435 ----------
436 436
437 437 app : ignored
438 438 Ignored, it's only a placeholder to keep the call signature of all
439 439 gui activation methods consistent, which simplifies the logic of
440 440 supporting magics.
441 441
442 442 Notes
443 443 -----
444 444
445 445 This methods sets the PyOS_InputHook for GLUT, which allows the GLUT to
446 446 integrate with terminal based applications like IPython. Due to GLUT
447 447 limitations, it is currently not possible to start the event loop
448 448 without first creating a window. You should thus not create another
449 449 window but use instead the created one. See 'gui-glut.py' in the
450 450 docs/examples/lib directory.
451 451
452 452 The default screen mode is set to:
453 453 glut.GLUT_DOUBLE | glut.GLUT_RGBA | glut.GLUT_DEPTH
454 454 """
455 455
456 456 import OpenGL.GLUT as glut
457 457 from IPython.lib.inputhookglut import glut_display_mode, \
458 458 glut_close, glut_display, \
459 459 glut_idle, inputhook_glut
460 460
461 461 if GUI_GLUT not in self.manager.apps:
462 462 glut.glutInit( sys.argv )
463 463 glut.glutInitDisplayMode( glut_display_mode )
464 464 # This is specific to freeglut
465 465 if bool(glut.glutSetOption):
466 466 glut.glutSetOption( glut.GLUT_ACTION_ON_WINDOW_CLOSE,
467 467 glut.GLUT_ACTION_GLUTMAINLOOP_RETURNS )
468 468 glut.glutCreateWindow( sys.argv[0] )
469 469 glut.glutReshapeWindow( 1, 1 )
470 470 glut.glutHideWindow( )
471 471 glut.glutWMCloseFunc( glut_close )
472 472 glut.glutDisplayFunc( glut_display )
473 473 glut.glutIdleFunc( glut_idle )
474 474 else:
475 475 glut.glutWMCloseFunc( glut_close )
476 476 glut.glutDisplayFunc( glut_display )
477 477 glut.glutIdleFunc( glut_idle)
478 478 self.manager.set_inputhook( inputhook_glut )
479 479 self.manager.apps[GUI_GLUT] = True
480 480
481 481
482 482 def disable(self):
483 483 """Disable event loop integration with glut.
484 484
485 485 This sets PyOS_InputHook to NULL and set the display function to a
486 486 dummy one and set the timer to a dummy timer that will be triggered
487 487 very far in the future.
488 488 """
489 489 import OpenGL.GLUT as glut
490 490 from glut_support import glutMainLoopEvent
491 491
492 492 glut.glutHideWindow() # This is an event to be processed below
493 493 glutMainLoopEvent()
494 494 super(GlutInputHook, self).disable()
495 495
496 496 @inputhook_manager.register('pyglet')
497 497 class PygletInputHook(InputHookBase):
498 498 def enable(self, app=None):
499 499 """Enable event loop integration with pyglet.
500 500
501 501 Parameters
502 502 ----------
503 503 app : ignored
504 504 Ignored, it's only a placeholder to keep the call signature of all
505 505 gui activation methods consistent, which simplifies the logic of
506 506 supporting magics.
507 507
508 508 Notes
509 509 -----
510 510 This methods sets the ``PyOS_InputHook`` for pyglet, which allows
511 511 pyglet to integrate with terminal based applications like
512 512 IPython.
513 513
514 514 """
515 515 from IPython.lib.inputhookpyglet import inputhook_pyglet
516 516 self.manager.set_inputhook(inputhook_pyglet)
517 517 return app
518 518
519 519
520 520 @inputhook_manager.register('gtk3')
521 521 class Gtk3InputHook(InputHookBase):
522 522 def enable(self, app=None):
523 523 """Enable event loop integration with Gtk3 (gir bindings).
524 524
525 525 Parameters
526 526 ----------
527 527 app : ignored
528 528 Ignored, it's only a placeholder to keep the call signature of all
529 529 gui activation methods consistent, which simplifies the logic of
530 530 supporting magics.
531 531
532 532 Notes
533 533 -----
534 534 This methods sets the PyOS_InputHook for Gtk3, which allows
535 535 the Gtk3 to integrate with terminal based applications like
536 536 IPython.
537 537 """
538 538 from IPython.lib.inputhookgtk3 import inputhook_gtk3
539 539 self.manager.set_inputhook(inputhook_gtk3)
540 540 self.manager._current_gui = GUI_GTK
541 541
542 542
543 543 clear_inputhook = inputhook_manager.clear_inputhook
544 544 set_inputhook = inputhook_manager.set_inputhook
545 545 current_gui = inputhook_manager.current_gui
546 546 clear_app_refs = inputhook_manager.clear_app_refs
547 547 enable_gui = inputhook_manager.enable_gui
548 548 disable_gui = inputhook_manager.disable_gui
549 register = inputhook_manager.register
549 550 guis = inputhook_manager.guihooks
550 551
551 552 # Deprecated methods: kept for backwards compatibility, do not use in new code
552 553 enable_wx = lambda app=None: inputhook_manager.enable_gui('wx', app)
553 554 enable_qt4 = lambda app=None: inputhook_manager.enable_gui('qt4', app)
554 555 enable_gtk = lambda app=None: inputhook_manager.enable_gui('gtk', app)
555 556 enable_tk = lambda app=None: inputhook_manager.enable_gui('tk', app)
556 557 enable_glut = lambda app=None: inputhook_manager.enable_gui('glut', app)
557 558 enable_pyglet = lambda app=None: inputhook_manager.enable_gui('pyglet', app)
558 559 enable_gtk3 = lambda app=None: inputhook_manager.enable_gui('gtk3', app)
559 560 disable_wx = disable_qt4 = disable_gtk = disable_gtk3 = disable_glut = \
560 561 disable_pyglet = inputhook_manager.disable_gui No newline at end of file
General Comments 0
You need to be logged in to leave comments. Login now