Show More
@@ -0,0 +1,103 b'' | |||||
|
1 | ================================ | |||
|
2 | Integrating with GUI event loops | |||
|
3 | ================================ | |||
|
4 | ||||
|
5 | When the user types ``%gui qt``, IPython integrates itself with the Qt event | |||
|
6 | loop, so you can use both a GUI and an interactive prompt together. IPython | |||
|
7 | supports a number of common GUI toolkits, but from IPython 3.0, it is possible | |||
|
8 | to integrate other event loops without modifying IPython itself. | |||
|
9 | ||||
|
10 | Terminal IPython handles event loops very differently from the IPython kernel, | |||
|
11 | so different steps are needed to integrate with each. | |||
|
12 | ||||
|
13 | Event loops in the terminal | |||
|
14 | --------------------------- | |||
|
15 | ||||
|
16 | In the terminal, IPython uses a blocking Python function to wait for user input. | |||
|
17 | However, the Python C API provides a hook, :c:func:`PyOS_InputHook`, which is | |||
|
18 | called frequently while waiting for input. This can be set to a function which | |||
|
19 | briefly runs the event loop and then returns. | |||
|
20 | ||||
|
21 | IPython provides Python level wrappers for setting and resetting this hook. To | |||
|
22 | use them, subclass :class:`IPython.lib.inputhook.InputHookBase`, and define | |||
|
23 | an ``enable(app=None)`` method, which initialises the event loop and calls | |||
|
24 | ``self.manager.set_inputhook(f)`` with a function which will briefly run the | |||
|
25 | event loop before exiting. Decorate the class with a call to | |||
|
26 | :func:`IPython.lib.inputhook.register`:: | |||
|
27 | ||||
|
28 | from IPython.lib.inputhook import register, InputHookBase | |||
|
29 | ||||
|
30 | @register('clutter') | |||
|
31 | class ClutterInputHook(InputHookBase): | |||
|
32 | def enable(self, app=None): | |||
|
33 | self.manager.set_inputhook(inputhook_clutter) | |||
|
34 | ||||
|
35 | You can also optionally define a ``disable()`` method, taking no arguments, if | |||
|
36 | there are extra steps needed to clean up. IPython will take care of resetting | |||
|
37 | the hook, whether or not you provide a disable method. | |||
|
38 | ||||
|
39 | The simplest way to define the hook function is just to run one iteration of the | |||
|
40 | event loop, or to run until no events are pending. Most event loops provide some | |||
|
41 | mechanism to do one of these things. However, the GUI may lag slightly, | |||
|
42 | because the hook is only called every 0.1 seconds. Alternatively, the hook can | |||
|
43 | keep running the event loop until there is input ready on stdin. IPython | |||
|
44 | provides a function to facilitate this: | |||
|
45 | ||||
|
46 | .. currentmodule:: IPython.lib.inputhook | |||
|
47 | ||||
|
48 | .. function:: stdin_ready() | |||
|
49 | ||||
|
50 | Returns True if there is something ready to read on stdin. | |||
|
51 | ||||
|
52 | If this is the case, the hook function should return immediately. | |||
|
53 | ||||
|
54 | This is implemented for Windows and POSIX systems - on other platforms, it | |||
|
55 | always returns True, so that the hook always gives Python a chance to check | |||
|
56 | for input. | |||
|
57 | ||||
|
58 | ||||
|
59 | Event loops in the kernel | |||
|
60 | ------------------------- | |||
|
61 | ||||
|
62 | The kernel runs its own event loop, so it's simpler to integrate with others. | |||
|
63 | IPython allows the other event loop to take control, but it must call | |||
|
64 | :meth:`IPython.kernel.zmq.kernelbase.Kernel.do_one_iteration` periodically. | |||
|
65 | ||||
|
66 | To integrate with this, write a function that takes a single argument, | |||
|
67 | the IPython kernel instance, arranges for your event loop to call | |||
|
68 | ``kernel.do_one_iteration()`` at least every ``kernel._poll_interval`` seconds, | |||
|
69 | and starts the event loop. | |||
|
70 | ||||
|
71 | Decorate this function with :func:`IPython.kernel.zmq.eventloops.register_integration`, | |||
|
72 | passing in the names you wish to register it for. Here is a slightly simplified | |||
|
73 | version of the Tkinter integration already included in IPython:: | |||
|
74 | ||||
|
75 | @register_integration('tk') | |||
|
76 | def loop_tk(kernel): | |||
|
77 | """Start a kernel with the Tk event loop.""" | |||
|
78 | from tkinter import Tk | |||
|
79 | ||||
|
80 | # Tk uses milliseconds | |||
|
81 | poll_interval = int(1000*kernel._poll_interval) | |||
|
82 | # For Tkinter, we create a Tk object and call its withdraw method. | |||
|
83 | class Timer(object): | |||
|
84 | def __init__(self, func): | |||
|
85 | self.app = Tk() | |||
|
86 | self.app.withdraw() | |||
|
87 | self.func = func | |||
|
88 | ||||
|
89 | def on_timer(self): | |||
|
90 | self.func() | |||
|
91 | self.app.after(poll_interval, self.on_timer) | |||
|
92 | ||||
|
93 | def start(self): | |||
|
94 | self.on_timer() # Call it once to get things going. | |||
|
95 | self.app.mainloop() | |||
|
96 | ||||
|
97 | kernel.timer = Timer(kernel.do_one_iteration) | |||
|
98 | kernel.timer.start() | |||
|
99 | ||||
|
100 | Some event loops can go one better, and integrate checking for messages on the | |||
|
101 | kernel's ZMQ sockets, making the kernel more responsive than plain polling. How | |||
|
102 | to do this is outside the scope of this document; if you are interested, look at | |||
|
103 | the integration with Qt in :mod:`IPython.kernel.zmq.eventloops`. |
@@ -0,0 +1,7 b'' | |||||
|
1 | * It's now possible to provide mechanisms to integrate IPython with other event | |||
|
2 | loops, in addition to the ones we already support. This lets you run GUI code | |||
|
3 | in IPython with an interactive prompt, and to embed the IPython | |||
|
4 | kernel in GUI applications. See :doc:`/config/eventloops` for details. As part | |||
|
5 | of this, the direct ``enable_*`` and ``disable_*`` functions for various GUIs | |||
|
6 | in :mod:`IPython.lib.inputhook` have been deprecated in favour of | |||
|
7 | :meth:`~.InputHookManager.enable_gui` and :meth:`~.InputHookManager.disable_gui`. |
@@ -1,264 +1,285 b'' | |||||
1 | # encoding: utf-8 |
|
1 | # encoding: utf-8 | |
2 | """Event loop integration for the ZeroMQ-based kernels. |
|
2 | """Event loop integration for the ZeroMQ-based kernels. | |
3 | """ |
|
3 | """ | |
4 |
|
4 | |||
5 | #----------------------------------------------------------------------------- |
|
5 | #----------------------------------------------------------------------------- | |
6 | # Copyright (C) 2011 The IPython Development Team |
|
6 | # Copyright (C) 2011 The IPython Development Team | |
7 |
|
7 | |||
8 | # Distributed under the terms of the BSD License. The full license is in |
|
8 | # Distributed under the terms of the BSD License. The full license is in | |
9 | # the file COPYING, distributed as part of this software. |
|
9 | # the file COPYING, distributed as part of this software. | |
10 | #----------------------------------------------------------------------------- |
|
10 | #----------------------------------------------------------------------------- | |
11 |
|
11 | |||
12 |
|
12 | |||
13 | #----------------------------------------------------------------------------- |
|
13 | #----------------------------------------------------------------------------- | |
14 | # Imports |
|
14 | # Imports | |
15 | #----------------------------------------------------------------------------- |
|
15 | #----------------------------------------------------------------------------- | |
16 |
|
16 | |||
17 | import sys |
|
17 | import sys | |
18 |
|
18 | |||
19 | # System library imports |
|
19 | # System library imports | |
20 | import zmq |
|
20 | import zmq | |
21 |
|
21 | |||
22 | # Local imports |
|
22 | # Local imports | |
23 | from IPython.config.application import Application |
|
23 | from IPython.config.application import Application | |
24 | from IPython.utils import io |
|
24 | from IPython.utils import io | |
25 |
|
25 | |||
26 |
|
26 | |||
27 | #------------------------------------------------------------------------------ |
|
27 | #------------------------------------------------------------------------------ | |
28 | # Eventloops for integrating the Kernel into different GUIs |
|
28 | # Eventloops for integrating the Kernel into different GUIs | |
29 | #------------------------------------------------------------------------------ |
|
29 | #------------------------------------------------------------------------------ | |
30 |
|
30 | |||
31 | def _on_os_x_10_9(): |
|
31 | def _on_os_x_10_9(): | |
32 | import platform |
|
32 | import platform | |
33 | from distutils.version import LooseVersion as V |
|
33 | from distutils.version import LooseVersion as V | |
34 | return sys.platform == 'darwin' and V(platform.mac_ver()[0]) >= V('10.9') |
|
34 | return sys.platform == 'darwin' and V(platform.mac_ver()[0]) >= V('10.9') | |
35 |
|
35 | |||
36 | def _notify_stream_qt(kernel, stream): |
|
36 | def _notify_stream_qt(kernel, stream): | |
37 |
|
37 | |||
38 | from IPython.external.qt_for_kernel import QtCore |
|
38 | from IPython.external.qt_for_kernel import QtCore | |
39 |
|
39 | |||
40 | if _on_os_x_10_9() and kernel._darwin_app_nap: |
|
40 | if _on_os_x_10_9() and kernel._darwin_app_nap: | |
41 | from IPython.external.appnope import nope_scope as context |
|
41 | from IPython.external.appnope import nope_scope as context | |
42 | else: |
|
42 | else: | |
43 | from IPython.core.interactiveshell import NoOpContext as context |
|
43 | from IPython.core.interactiveshell import NoOpContext as context | |
44 |
|
44 | |||
45 | def process_stream_events(): |
|
45 | def process_stream_events(): | |
46 | while stream.getsockopt(zmq.EVENTS) & zmq.POLLIN: |
|
46 | while stream.getsockopt(zmq.EVENTS) & zmq.POLLIN: | |
47 | with context(): |
|
47 | with context(): | |
48 | kernel.do_one_iteration() |
|
48 | kernel.do_one_iteration() | |
49 |
|
49 | |||
50 | fd = stream.getsockopt(zmq.FD) |
|
50 | fd = stream.getsockopt(zmq.FD) | |
51 | notifier = QtCore.QSocketNotifier(fd, QtCore.QSocketNotifier.Read, kernel.app) |
|
51 | notifier = QtCore.QSocketNotifier(fd, QtCore.QSocketNotifier.Read, kernel.app) | |
52 | notifier.activated.connect(process_stream_events) |
|
52 | notifier.activated.connect(process_stream_events) | |
53 |
|
53 | |||
|
54 | # mapping of keys to loop functions | |||
|
55 | loop_map = { | |||
|
56 | 'inline': None, | |||
|
57 | None : None, | |||
|
58 | } | |||
|
59 | ||||
|
60 | def register_integration(*toolkitnames): | |||
|
61 | """Decorator to register an event loop to integrate with the IPython kernel | |||
|
62 | ||||
|
63 | The decorator takes names to register the event loop as for the %gui magic. | |||
|
64 | You can provide alternative names for the same toolkit. | |||
|
65 | ||||
|
66 | The decorated function should take a single argument, the IPython kernel | |||
|
67 | instance, arrange for the event loop to call ``kernel.do_one_iteration()`` | |||
|
68 | at least every ``kernel._poll_interval`` seconds, and start the event loop. | |||
|
69 | ||||
|
70 | :mod:`IPython.kernel.zmq.eventloops` provides and registers such functions | |||
|
71 | for a few common event loops. | |||
|
72 | """ | |||
|
73 | def decorator(func): | |||
|
74 | for name in toolkitnames: | |||
|
75 | loop_map[name] = func | |||
|
76 | return func | |||
|
77 | ||||
|
78 | return decorator | |||
|
79 | ||||
|
80 | ||||
|
81 | @register_integration('qt', 'qt4') | |||
54 | def loop_qt4(kernel): |
|
82 | def loop_qt4(kernel): | |
55 | """Start a kernel with PyQt4 event loop integration.""" |
|
83 | """Start a kernel with PyQt4 event loop integration.""" | |
56 |
|
84 | |||
57 | from IPython.lib.guisupport import get_app_qt4, start_event_loop_qt4 |
|
85 | from IPython.lib.guisupport import get_app_qt4, start_event_loop_qt4 | |
58 |
|
86 | |||
59 | kernel.app = get_app_qt4([" "]) |
|
87 | kernel.app = get_app_qt4([" "]) | |
60 | kernel.app.setQuitOnLastWindowClosed(False) |
|
88 | kernel.app.setQuitOnLastWindowClosed(False) | |
61 |
|
89 | |||
62 | for s in kernel.shell_streams: |
|
90 | for s in kernel.shell_streams: | |
63 | _notify_stream_qt(kernel, s) |
|
91 | _notify_stream_qt(kernel, s) | |
64 |
|
92 | |||
65 | start_event_loop_qt4(kernel.app) |
|
93 | start_event_loop_qt4(kernel.app) | |
66 |
|
94 | |||
67 |
|
95 | |||
|
96 | @register_integration('wx') | |||
68 | def loop_wx(kernel): |
|
97 | def loop_wx(kernel): | |
69 | """Start a kernel with wx event loop support.""" |
|
98 | """Start a kernel with wx event loop support.""" | |
70 |
|
99 | |||
71 | import wx |
|
100 | import wx | |
72 | from IPython.lib.guisupport import start_event_loop_wx |
|
101 | from IPython.lib.guisupport import start_event_loop_wx | |
73 |
|
102 | |||
74 | if _on_os_x_10_9() and kernel._darwin_app_nap: |
|
103 | if _on_os_x_10_9() and kernel._darwin_app_nap: | |
75 | # we don't hook up App Nap contexts for Wx, |
|
104 | # we don't hook up App Nap contexts for Wx, | |
76 | # just disable it outright. |
|
105 | # just disable it outright. | |
77 | from IPython.external.appnope import nope |
|
106 | from IPython.external.appnope import nope | |
78 | nope() |
|
107 | nope() | |
79 |
|
108 | |||
80 | doi = kernel.do_one_iteration |
|
109 | doi = kernel.do_one_iteration | |
81 | # Wx uses milliseconds |
|
110 | # Wx uses milliseconds | |
82 | poll_interval = int(1000*kernel._poll_interval) |
|
111 | poll_interval = int(1000*kernel._poll_interval) | |
83 |
|
112 | |||
84 | # We have to put the wx.Timer in a wx.Frame for it to fire properly. |
|
113 | # We have to put the wx.Timer in a wx.Frame for it to fire properly. | |
85 | # We make the Frame hidden when we create it in the main app below. |
|
114 | # We make the Frame hidden when we create it in the main app below. | |
86 | class TimerFrame(wx.Frame): |
|
115 | class TimerFrame(wx.Frame): | |
87 | def __init__(self, func): |
|
116 | def __init__(self, func): | |
88 | wx.Frame.__init__(self, None, -1) |
|
117 | wx.Frame.__init__(self, None, -1) | |
89 | self.timer = wx.Timer(self) |
|
118 | self.timer = wx.Timer(self) | |
90 | # Units for the timer are in milliseconds |
|
119 | # Units for the timer are in milliseconds | |
91 | self.timer.Start(poll_interval) |
|
120 | self.timer.Start(poll_interval) | |
92 | self.Bind(wx.EVT_TIMER, self.on_timer) |
|
121 | self.Bind(wx.EVT_TIMER, self.on_timer) | |
93 | self.func = func |
|
122 | self.func = func | |
94 |
|
123 | |||
95 | def on_timer(self, event): |
|
124 | def on_timer(self, event): | |
96 | self.func() |
|
125 | self.func() | |
97 |
|
126 | |||
98 | # We need a custom wx.App to create our Frame subclass that has the |
|
127 | # We need a custom wx.App to create our Frame subclass that has the | |
99 | # wx.Timer to drive the ZMQ event loop. |
|
128 | # wx.Timer to drive the ZMQ event loop. | |
100 | class IPWxApp(wx.App): |
|
129 | class IPWxApp(wx.App): | |
101 | def OnInit(self): |
|
130 | def OnInit(self): | |
102 | self.frame = TimerFrame(doi) |
|
131 | self.frame = TimerFrame(doi) | |
103 | self.frame.Show(False) |
|
132 | self.frame.Show(False) | |
104 | return True |
|
133 | return True | |
105 |
|
134 | |||
106 | # The redirect=False here makes sure that wx doesn't replace |
|
135 | # The redirect=False here makes sure that wx doesn't replace | |
107 | # sys.stdout/stderr with its own classes. |
|
136 | # sys.stdout/stderr with its own classes. | |
108 | kernel.app = IPWxApp(redirect=False) |
|
137 | kernel.app = IPWxApp(redirect=False) | |
109 |
|
138 | |||
110 | # The import of wx on Linux sets the handler for signal.SIGINT |
|
139 | # The import of wx on Linux sets the handler for signal.SIGINT | |
111 | # to 0. This is a bug in wx or gtk. We fix by just setting it |
|
140 | # to 0. This is a bug in wx or gtk. We fix by just setting it | |
112 | # back to the Python default. |
|
141 | # back to the Python default. | |
113 | import signal |
|
142 | import signal | |
114 | if not callable(signal.getsignal(signal.SIGINT)): |
|
143 | if not callable(signal.getsignal(signal.SIGINT)): | |
115 | signal.signal(signal.SIGINT, signal.default_int_handler) |
|
144 | signal.signal(signal.SIGINT, signal.default_int_handler) | |
116 |
|
145 | |||
117 | start_event_loop_wx(kernel.app) |
|
146 | start_event_loop_wx(kernel.app) | |
118 |
|
147 | |||
119 |
|
148 | |||
|
149 | @register_integration('tk') | |||
120 | def loop_tk(kernel): |
|
150 | def loop_tk(kernel): | |
121 | """Start a kernel with the Tk event loop.""" |
|
151 | """Start a kernel with the Tk event loop.""" | |
122 |
|
152 | |||
123 | try: |
|
153 | try: | |
124 | from tkinter import Tk # Py 3 |
|
154 | from tkinter import Tk # Py 3 | |
125 | except ImportError: |
|
155 | except ImportError: | |
126 | from Tkinter import Tk # Py 2 |
|
156 | from Tkinter import Tk # Py 2 | |
127 | doi = kernel.do_one_iteration |
|
157 | doi = kernel.do_one_iteration | |
128 | # Tk uses milliseconds |
|
158 | # Tk uses milliseconds | |
129 | poll_interval = int(1000*kernel._poll_interval) |
|
159 | poll_interval = int(1000*kernel._poll_interval) | |
130 | # For Tkinter, we create a Tk object and call its withdraw method. |
|
160 | # For Tkinter, we create a Tk object and call its withdraw method. | |
131 | class Timer(object): |
|
161 | class Timer(object): | |
132 | def __init__(self, func): |
|
162 | def __init__(self, func): | |
133 | self.app = Tk() |
|
163 | self.app = Tk() | |
134 | self.app.withdraw() |
|
164 | self.app.withdraw() | |
135 | self.func = func |
|
165 | self.func = func | |
136 |
|
166 | |||
137 | def on_timer(self): |
|
167 | def on_timer(self): | |
138 | self.func() |
|
168 | self.func() | |
139 | self.app.after(poll_interval, self.on_timer) |
|
169 | self.app.after(poll_interval, self.on_timer) | |
140 |
|
170 | |||
141 | def start(self): |
|
171 | def start(self): | |
142 | self.on_timer() # Call it once to get things going. |
|
172 | self.on_timer() # Call it once to get things going. | |
143 | self.app.mainloop() |
|
173 | self.app.mainloop() | |
144 |
|
174 | |||
145 | kernel.timer = Timer(doi) |
|
175 | kernel.timer = Timer(doi) | |
146 | kernel.timer.start() |
|
176 | kernel.timer.start() | |
147 |
|
177 | |||
148 |
|
178 | |||
|
179 | @register_integration('gtk') | |||
149 | def loop_gtk(kernel): |
|
180 | def loop_gtk(kernel): | |
150 | """Start the kernel, coordinating with the GTK event loop""" |
|
181 | """Start the kernel, coordinating with the GTK event loop""" | |
151 | from .gui.gtkembed import GTKEmbed |
|
182 | from .gui.gtkembed import GTKEmbed | |
152 |
|
183 | |||
153 | gtk_kernel = GTKEmbed(kernel) |
|
184 | gtk_kernel = GTKEmbed(kernel) | |
154 | gtk_kernel.start() |
|
185 | gtk_kernel.start() | |
155 |
|
186 | |||
156 |
|
187 | |||
|
188 | @register_integration('gtk3') | |||
157 | def loop_gtk3(kernel): |
|
189 | def loop_gtk3(kernel): | |
158 | """Start the kernel, coordinating with the GTK event loop""" |
|
190 | """Start the kernel, coordinating with the GTK event loop""" | |
159 | from .gui.gtk3embed import GTKEmbed |
|
191 | from .gui.gtk3embed import GTKEmbed | |
160 |
|
192 | |||
161 | gtk_kernel = GTKEmbed(kernel) |
|
193 | gtk_kernel = GTKEmbed(kernel) | |
162 | gtk_kernel.start() |
|
194 | gtk_kernel.start() | |
163 |
|
195 | |||
164 |
|
196 | |||
|
197 | @register_integration('osx') | |||
165 | def loop_cocoa(kernel): |
|
198 | def loop_cocoa(kernel): | |
166 | """Start the kernel, coordinating with the Cocoa CFRunLoop event loop |
|
199 | """Start the kernel, coordinating with the Cocoa CFRunLoop event loop | |
167 | via the matplotlib MacOSX backend. |
|
200 | via the matplotlib MacOSX backend. | |
168 | """ |
|
201 | """ | |
169 | import matplotlib |
|
202 | import matplotlib | |
170 | if matplotlib.__version__ < '1.1.0': |
|
203 | if matplotlib.__version__ < '1.1.0': | |
171 | kernel.log.warn( |
|
204 | kernel.log.warn( | |
172 | "MacOSX backend in matplotlib %s doesn't have a Timer, " |
|
205 | "MacOSX backend in matplotlib %s doesn't have a Timer, " | |
173 | "falling back on Tk for CFRunLoop integration. Note that " |
|
206 | "falling back on Tk for CFRunLoop integration. Note that " | |
174 | "even this won't work if Tk is linked against X11 instead of " |
|
207 | "even this won't work if Tk is linked against X11 instead of " | |
175 | "Cocoa (e.g. EPD). To use the MacOSX backend in the kernel, " |
|
208 | "Cocoa (e.g. EPD). To use the MacOSX backend in the kernel, " | |
176 | "you must use matplotlib >= 1.1.0, or a native libtk." |
|
209 | "you must use matplotlib >= 1.1.0, or a native libtk." | |
177 | ) |
|
210 | ) | |
178 | return loop_tk(kernel) |
|
211 | return loop_tk(kernel) | |
179 |
|
212 | |||
180 | from matplotlib.backends.backend_macosx import TimerMac, show |
|
213 | from matplotlib.backends.backend_macosx import TimerMac, show | |
181 |
|
214 | |||
182 | # scale interval for sec->ms |
|
215 | # scale interval for sec->ms | |
183 | poll_interval = int(1000*kernel._poll_interval) |
|
216 | poll_interval = int(1000*kernel._poll_interval) | |
184 |
|
217 | |||
185 | real_excepthook = sys.excepthook |
|
218 | real_excepthook = sys.excepthook | |
186 | def handle_int(etype, value, tb): |
|
219 | def handle_int(etype, value, tb): | |
187 | """don't let KeyboardInterrupts look like crashes""" |
|
220 | """don't let KeyboardInterrupts look like crashes""" | |
188 | if etype is KeyboardInterrupt: |
|
221 | if etype is KeyboardInterrupt: | |
189 | io.raw_print("KeyboardInterrupt caught in CFRunLoop") |
|
222 | io.raw_print("KeyboardInterrupt caught in CFRunLoop") | |
190 | else: |
|
223 | else: | |
191 | real_excepthook(etype, value, tb) |
|
224 | real_excepthook(etype, value, tb) | |
192 |
|
225 | |||
193 | # add doi() as a Timer to the CFRunLoop |
|
226 | # add doi() as a Timer to the CFRunLoop | |
194 | def doi(): |
|
227 | def doi(): | |
195 | # restore excepthook during IPython code |
|
228 | # restore excepthook during IPython code | |
196 | sys.excepthook = real_excepthook |
|
229 | sys.excepthook = real_excepthook | |
197 | kernel.do_one_iteration() |
|
230 | kernel.do_one_iteration() | |
198 | # and back: |
|
231 | # and back: | |
199 | sys.excepthook = handle_int |
|
232 | sys.excepthook = handle_int | |
200 |
|
233 | |||
201 | t = TimerMac(poll_interval) |
|
234 | t = TimerMac(poll_interval) | |
202 | t.add_callback(doi) |
|
235 | t.add_callback(doi) | |
203 | t.start() |
|
236 | t.start() | |
204 |
|
237 | |||
205 | # but still need a Poller for when there are no active windows, |
|
238 | # but still need a Poller for when there are no active windows, | |
206 | # during which time mainloop() returns immediately |
|
239 | # during which time mainloop() returns immediately | |
207 | poller = zmq.Poller() |
|
240 | poller = zmq.Poller() | |
208 | if kernel.control_stream: |
|
241 | if kernel.control_stream: | |
209 | poller.register(kernel.control_stream.socket, zmq.POLLIN) |
|
242 | poller.register(kernel.control_stream.socket, zmq.POLLIN) | |
210 | for stream in kernel.shell_streams: |
|
243 | for stream in kernel.shell_streams: | |
211 | poller.register(stream.socket, zmq.POLLIN) |
|
244 | poller.register(stream.socket, zmq.POLLIN) | |
212 |
|
245 | |||
213 | while True: |
|
246 | while True: | |
214 | try: |
|
247 | try: | |
215 | # double nested try/except, to properly catch KeyboardInterrupt |
|
248 | # double nested try/except, to properly catch KeyboardInterrupt | |
216 | # due to pyzmq Issue #130 |
|
249 | # due to pyzmq Issue #130 | |
217 | try: |
|
250 | try: | |
218 | # don't let interrupts during mainloop invoke crash_handler: |
|
251 | # don't let interrupts during mainloop invoke crash_handler: | |
219 | sys.excepthook = handle_int |
|
252 | sys.excepthook = handle_int | |
220 | show.mainloop() |
|
253 | show.mainloop() | |
221 | sys.excepthook = real_excepthook |
|
254 | sys.excepthook = real_excepthook | |
222 | # use poller if mainloop returned (no windows) |
|
255 | # use poller if mainloop returned (no windows) | |
223 | # scale by extra factor of 10, since it's a real poll |
|
256 | # scale by extra factor of 10, since it's a real poll | |
224 | poller.poll(10*poll_interval) |
|
257 | poller.poll(10*poll_interval) | |
225 | kernel.do_one_iteration() |
|
258 | kernel.do_one_iteration() | |
226 | except: |
|
259 | except: | |
227 | raise |
|
260 | raise | |
228 | except KeyboardInterrupt: |
|
261 | except KeyboardInterrupt: | |
229 | # Ctrl-C shouldn't crash the kernel |
|
262 | # Ctrl-C shouldn't crash the kernel | |
230 | io.raw_print("KeyboardInterrupt caught in kernel") |
|
263 | io.raw_print("KeyboardInterrupt caught in kernel") | |
231 | finally: |
|
264 | finally: | |
232 | # ensure excepthook is restored |
|
265 | # ensure excepthook is restored | |
233 | sys.excepthook = real_excepthook |
|
266 | sys.excepthook = real_excepthook | |
234 |
|
267 | |||
235 | # mapping of keys to loop functions |
|
|||
236 | loop_map = { |
|
|||
237 | 'qt' : loop_qt4, |
|
|||
238 | 'qt4': loop_qt4, |
|
|||
239 | 'inline': None, |
|
|||
240 | 'osx': loop_cocoa, |
|
|||
241 | 'wx' : loop_wx, |
|
|||
242 | 'tk' : loop_tk, |
|
|||
243 | 'gtk': loop_gtk, |
|
|||
244 | 'gtk3': loop_gtk3, |
|
|||
245 | None : None, |
|
|||
246 | } |
|
|||
247 |
|
268 | |||
248 |
|
269 | |||
249 | def enable_gui(gui, kernel=None): |
|
270 | def enable_gui(gui, kernel=None): | |
250 | """Enable integration with a given GUI""" |
|
271 | """Enable integration with a given GUI""" | |
251 | if gui not in loop_map: |
|
272 | if gui not in loop_map: | |
252 | e = "Invalid GUI request %r, valid ones are:%s" % (gui, loop_map.keys()) |
|
273 | e = "Invalid GUI request %r, valid ones are:%s" % (gui, loop_map.keys()) | |
253 | raise ValueError(e) |
|
274 | raise ValueError(e) | |
254 | if kernel is None: |
|
275 | if kernel is None: | |
255 | if Application.initialized(): |
|
276 | if Application.initialized(): | |
256 | kernel = getattr(Application.instance(), 'kernel', None) |
|
277 | kernel = getattr(Application.instance(), 'kernel', None) | |
257 | if kernel is None: |
|
278 | if kernel is None: | |
258 | raise RuntimeError("You didn't specify a kernel," |
|
279 | raise RuntimeError("You didn't specify a kernel," | |
259 | " and no IPython Application with a kernel appears to be running." |
|
280 | " and no IPython Application with a kernel appears to be running." | |
260 | ) |
|
281 | ) | |
261 | loop = loop_map[gui] |
|
282 | loop = loop_map[gui] | |
262 | if loop and kernel.eventloop is not None and kernel.eventloop is not loop: |
|
283 | if loop and kernel.eventloop is not None and kernel.eventloop is not loop: | |
263 | raise RuntimeError("Cannot activate multiple GUI eventloops") |
|
284 | raise RuntimeError("Cannot activate multiple GUI eventloops") | |
264 | kernel.eventloop = loop |
|
285 | kernel.eventloop = loop |
@@ -1,542 +1,569 b'' | |||||
1 | # coding: utf-8 |
|
1 | # coding: utf-8 | |
2 | """ |
|
2 | """ | |
3 | Inputhook management for GUI event loop integration. |
|
3 | Inputhook management for GUI event loop integration. | |
4 | """ |
|
4 | """ | |
5 |
|
5 | |||
6 | #----------------------------------------------------------------------------- |
|
6 | #----------------------------------------------------------------------------- | |
7 | # Copyright (C) 2008-2011 The IPython Development Team |
|
7 | # Copyright (C) 2008-2011 The IPython Development Team | |
8 | # |
|
8 | # | |
9 | # Distributed under the terms of the BSD License. The full license is in |
|
9 | # Distributed under the terms of the BSD License. The full license is in | |
10 | # the file COPYING, distributed as part of this software. |
|
10 | # the file COPYING, distributed as part of this software. | |
11 | #----------------------------------------------------------------------------- |
|
11 | #----------------------------------------------------------------------------- | |
12 |
|
12 | |||
13 | #----------------------------------------------------------------------------- |
|
13 | #----------------------------------------------------------------------------- | |
14 | # Imports |
|
14 | # Imports | |
15 | #----------------------------------------------------------------------------- |
|
15 | #----------------------------------------------------------------------------- | |
16 |
|
16 | |||
17 | try: |
|
17 | try: | |
18 | import ctypes |
|
18 | import ctypes | |
19 | except ImportError: |
|
19 | except ImportError: | |
20 | ctypes = None |
|
20 | ctypes = None | |
21 | except SystemError: # IronPython issue, 2/8/2014 |
|
21 | except SystemError: # IronPython issue, 2/8/2014 | |
22 | ctypes = None |
|
22 | ctypes = None | |
23 | import os |
|
23 | import os | |
24 | import sys |
|
24 | import sys | |
25 | from distutils.version import LooseVersion as V |
|
25 | from distutils.version import LooseVersion as V | |
26 |
|
26 | |||
27 | from IPython.utils.warn import warn |
|
27 | from IPython.utils.warn import warn | |
28 |
|
28 | |||
29 | #----------------------------------------------------------------------------- |
|
29 | #----------------------------------------------------------------------------- | |
30 | # Constants |
|
30 | # Constants | |
31 | #----------------------------------------------------------------------------- |
|
31 | #----------------------------------------------------------------------------- | |
32 |
|
32 | |||
33 | # Constants for identifying the GUI toolkits. |
|
33 | # Constants for identifying the GUI toolkits. | |
34 | GUI_WX = 'wx' |
|
34 | GUI_WX = 'wx' | |
35 | GUI_QT = 'qt' |
|
35 | GUI_QT = 'qt' | |
36 | GUI_QT4 = 'qt4' |
|
36 | GUI_QT4 = 'qt4' | |
37 | GUI_GTK = 'gtk' |
|
37 | GUI_GTK = 'gtk' | |
38 | GUI_TK = 'tk' |
|
38 | GUI_TK = 'tk' | |
39 | GUI_OSX = 'osx' |
|
39 | GUI_OSX = 'osx' | |
40 | GUI_GLUT = 'glut' |
|
40 | GUI_GLUT = 'glut' | |
41 | GUI_PYGLET = 'pyglet' |
|
41 | GUI_PYGLET = 'pyglet' | |
42 | GUI_GTK3 = 'gtk3' |
|
42 | GUI_GTK3 = 'gtk3' | |
43 | GUI_NONE = 'none' # i.e. disable |
|
43 | GUI_NONE = 'none' # i.e. disable | |
44 |
|
44 | |||
45 | #----------------------------------------------------------------------------- |
|
45 | #----------------------------------------------------------------------------- | |
46 | # Utilities |
|
46 | # Utilities | |
47 | #----------------------------------------------------------------------------- |
|
47 | #----------------------------------------------------------------------------- | |
48 |
|
48 | |||
49 | def _stdin_ready_posix(): |
|
49 | def _stdin_ready_posix(): | |
50 | """Return True if there's something to read on stdin (posix version).""" |
|
50 | """Return True if there's something to read on stdin (posix version).""" | |
51 | infds, outfds, erfds = select.select([sys.stdin],[],[],0) |
|
51 | infds, outfds, erfds = select.select([sys.stdin],[],[],0) | |
52 | return bool(infds) |
|
52 | return bool(infds) | |
53 |
|
53 | |||
54 | def _stdin_ready_nt(): |
|
54 | def _stdin_ready_nt(): | |
55 | """Return True if there's something to read on stdin (nt version).""" |
|
55 | """Return True if there's something to read on stdin (nt version).""" | |
56 | return msvcrt.kbhit() |
|
56 | return msvcrt.kbhit() | |
57 |
|
57 | |||
58 | def _stdin_ready_other(): |
|
58 | def _stdin_ready_other(): | |
59 | """Return True, assuming there's something to read on stdin.""" |
|
59 | """Return True, assuming there's something to read on stdin.""" | |
60 | return True # |
|
60 | return True # | |
61 |
|
61 | |||
62 |
|
62 | |||
63 | def _ignore_CTRL_C_posix(): |
|
63 | def _ignore_CTRL_C_posix(): | |
64 | """Ignore CTRL+C (SIGINT).""" |
|
64 | """Ignore CTRL+C (SIGINT).""" | |
65 | signal.signal(signal.SIGINT, signal.SIG_IGN) |
|
65 | signal.signal(signal.SIGINT, signal.SIG_IGN) | |
66 |
|
66 | |||
67 | def _allow_CTRL_C_posix(): |
|
67 | def _allow_CTRL_C_posix(): | |
68 | """Take CTRL+C into account (SIGINT).""" |
|
68 | """Take CTRL+C into account (SIGINT).""" | |
69 | signal.signal(signal.SIGINT, signal.default_int_handler) |
|
69 | signal.signal(signal.SIGINT, signal.default_int_handler) | |
70 |
|
70 | |||
71 | def _ignore_CTRL_C_other(): |
|
71 | def _ignore_CTRL_C_other(): | |
72 | """Ignore CTRL+C (not implemented).""" |
|
72 | """Ignore CTRL+C (not implemented).""" | |
73 | pass |
|
73 | pass | |
74 |
|
74 | |||
75 | def _allow_CTRL_C_other(): |
|
75 | def _allow_CTRL_C_other(): | |
76 | """Take CTRL+C into account (not implemented).""" |
|
76 | """Take CTRL+C into account (not implemented).""" | |
77 | pass |
|
77 | pass | |
78 |
|
78 | |||
79 | if os.name == 'posix': |
|
79 | if os.name == 'posix': | |
80 | import select |
|
80 | import select | |
81 | import signal |
|
81 | import signal | |
82 | stdin_ready = _stdin_ready_posix |
|
82 | stdin_ready = _stdin_ready_posix | |
83 | ignore_CTRL_C = _ignore_CTRL_C_posix |
|
83 | ignore_CTRL_C = _ignore_CTRL_C_posix | |
84 | allow_CTRL_C = _allow_CTRL_C_posix |
|
84 | allow_CTRL_C = _allow_CTRL_C_posix | |
85 | elif os.name == 'nt': |
|
85 | elif os.name == 'nt': | |
86 | import msvcrt |
|
86 | import msvcrt | |
87 | stdin_ready = _stdin_ready_nt |
|
87 | stdin_ready = _stdin_ready_nt | |
88 | ignore_CTRL_C = _ignore_CTRL_C_other |
|
88 | ignore_CTRL_C = _ignore_CTRL_C_other | |
89 | allow_CTRL_C = _allow_CTRL_C_other |
|
89 | allow_CTRL_C = _allow_CTRL_C_other | |
90 | else: |
|
90 | else: | |
91 | stdin_ready = _stdin_ready_other |
|
91 | stdin_ready = _stdin_ready_other | |
92 | ignore_CTRL_C = _ignore_CTRL_C_other |
|
92 | ignore_CTRL_C = _ignore_CTRL_C_other | |
93 | allow_CTRL_C = _allow_CTRL_C_other |
|
93 | allow_CTRL_C = _allow_CTRL_C_other | |
94 |
|
94 | |||
95 |
|
95 | |||
96 | #----------------------------------------------------------------------------- |
|
96 | #----------------------------------------------------------------------------- | |
97 | # Main InputHookManager class |
|
97 | # Main InputHookManager class | |
98 | #----------------------------------------------------------------------------- |
|
98 | #----------------------------------------------------------------------------- | |
99 |
|
99 | |||
100 |
|
100 | |||
101 | class InputHookManager(object): |
|
101 | class InputHookManager(object): | |
102 | """Manage PyOS_InputHook for different GUI toolkits. |
|
102 | """Manage PyOS_InputHook for different GUI toolkits. | |
103 |
|
103 | |||
104 | This class installs various hooks under ``PyOSInputHook`` to handle |
|
104 | This class installs various hooks under ``PyOSInputHook`` to handle | |
105 | GUI event loop integration. |
|
105 | GUI event loop integration. | |
106 | """ |
|
106 | """ | |
107 |
|
107 | |||
108 | def __init__(self): |
|
108 | def __init__(self): | |
109 | if ctypes is None: |
|
109 | if ctypes is None: | |
110 | warn("IPython GUI event loop requires ctypes, %gui will not be available") |
|
110 | warn("IPython GUI event loop requires ctypes, %gui will not be available") | |
111 | return |
|
111 | return | |
112 | self.PYFUNC = ctypes.PYFUNCTYPE(ctypes.c_int) |
|
112 | self.PYFUNC = ctypes.PYFUNCTYPE(ctypes.c_int) | |
113 |
self. |
|
113 | self.guihooks = {} | |
|
114 | self.aliases = {} | |||
|
115 | self.apps = {} | |||
114 | self._reset() |
|
116 | self._reset() | |
115 |
|
117 | |||
116 | def _reset(self): |
|
118 | def _reset(self): | |
117 | self._callback_pyfunctype = None |
|
119 | self._callback_pyfunctype = None | |
118 | self._callback = None |
|
120 | self._callback = None | |
119 | self._installed = False |
|
121 | self._installed = False | |
120 | self._current_gui = None |
|
122 | self._current_gui = None | |
121 |
|
123 | |||
122 | def get_pyos_inputhook(self): |
|
124 | def get_pyos_inputhook(self): | |
123 | """Return the current PyOS_InputHook as a ctypes.c_void_p.""" |
|
125 | """Return the current PyOS_InputHook as a ctypes.c_void_p.""" | |
124 | return ctypes.c_void_p.in_dll(ctypes.pythonapi,"PyOS_InputHook") |
|
126 | return ctypes.c_void_p.in_dll(ctypes.pythonapi,"PyOS_InputHook") | |
125 |
|
127 | |||
126 | def get_pyos_inputhook_as_func(self): |
|
128 | def get_pyos_inputhook_as_func(self): | |
127 | """Return the current PyOS_InputHook as a ctypes.PYFUNCYPE.""" |
|
129 | """Return the current PyOS_InputHook as a ctypes.PYFUNCYPE.""" | |
128 | return self.PYFUNC.in_dll(ctypes.pythonapi,"PyOS_InputHook") |
|
130 | return self.PYFUNC.in_dll(ctypes.pythonapi,"PyOS_InputHook") | |
129 |
|
131 | |||
130 | def set_inputhook(self, callback): |
|
132 | def set_inputhook(self, callback): | |
131 | """Set PyOS_InputHook to callback and return the previous one.""" |
|
133 | """Set PyOS_InputHook to callback and return the previous one.""" | |
132 | # On platforms with 'readline' support, it's all too likely to |
|
134 | # On platforms with 'readline' support, it's all too likely to | |
133 | # have a KeyboardInterrupt signal delivered *even before* an |
|
135 | # have a KeyboardInterrupt signal delivered *even before* an | |
134 | # initial ``try:`` clause in the callback can be executed, so |
|
136 | # initial ``try:`` clause in the callback can be executed, so | |
135 | # we need to disable CTRL+C in this situation. |
|
137 | # we need to disable CTRL+C in this situation. | |
136 | ignore_CTRL_C() |
|
138 | ignore_CTRL_C() | |
137 | self._callback = callback |
|
139 | self._callback = callback | |
138 | self._callback_pyfunctype = self.PYFUNC(callback) |
|
140 | self._callback_pyfunctype = self.PYFUNC(callback) | |
139 | pyos_inputhook_ptr = self.get_pyos_inputhook() |
|
141 | pyos_inputhook_ptr = self.get_pyos_inputhook() | |
140 | original = self.get_pyos_inputhook_as_func() |
|
142 | original = self.get_pyos_inputhook_as_func() | |
141 | pyos_inputhook_ptr.value = \ |
|
143 | pyos_inputhook_ptr.value = \ | |
142 | ctypes.cast(self._callback_pyfunctype, ctypes.c_void_p).value |
|
144 | ctypes.cast(self._callback_pyfunctype, ctypes.c_void_p).value | |
143 | self._installed = True |
|
145 | self._installed = True | |
144 | return original |
|
146 | return original | |
145 |
|
147 | |||
146 | def clear_inputhook(self, app=None): |
|
148 | def clear_inputhook(self, app=None): | |
147 | """Set PyOS_InputHook to NULL and return the previous one. |
|
149 | """Set PyOS_InputHook to NULL and return the previous one. | |
148 |
|
150 | |||
149 | Parameters |
|
151 | Parameters | |
150 | ---------- |
|
152 | ---------- | |
151 | app : optional, ignored |
|
153 | app : optional, ignored | |
152 | This parameter is allowed only so that clear_inputhook() can be |
|
154 | This parameter is allowed only so that clear_inputhook() can be | |
153 | called with a similar interface as all the ``enable_*`` methods. But |
|
155 | called with a similar interface as all the ``enable_*`` methods. But | |
154 | the actual value of the parameter is ignored. This uniform interface |
|
156 | the actual value of the parameter is ignored. This uniform interface | |
155 | makes it easier to have user-level entry points in the main IPython |
|
157 | makes it easier to have user-level entry points in the main IPython | |
156 | app like :meth:`enable_gui`.""" |
|
158 | app like :meth:`enable_gui`.""" | |
157 | pyos_inputhook_ptr = self.get_pyos_inputhook() |
|
159 | pyos_inputhook_ptr = self.get_pyos_inputhook() | |
158 | original = self.get_pyos_inputhook_as_func() |
|
160 | original = self.get_pyos_inputhook_as_func() | |
159 | pyos_inputhook_ptr.value = ctypes.c_void_p(None).value |
|
161 | pyos_inputhook_ptr.value = ctypes.c_void_p(None).value | |
160 | allow_CTRL_C() |
|
162 | allow_CTRL_C() | |
161 | self._reset() |
|
163 | self._reset() | |
162 | return original |
|
164 | return original | |
163 |
|
165 | |||
164 | def clear_app_refs(self, gui=None): |
|
166 | def clear_app_refs(self, gui=None): | |
165 | """Clear IPython's internal reference to an application instance. |
|
167 | """Clear IPython's internal reference to an application instance. | |
166 |
|
168 | |||
167 | Whenever we create an app for a user on qt4 or wx, we hold a |
|
169 | Whenever we create an app for a user on qt4 or wx, we hold a | |
168 | reference to the app. This is needed because in some cases bad things |
|
170 | reference to the app. This is needed because in some cases bad things | |
169 | can happen if a user doesn't hold a reference themselves. This |
|
171 | can happen if a user doesn't hold a reference themselves. This | |
170 | method is provided to clear the references we are holding. |
|
172 | method is provided to clear the references we are holding. | |
171 |
|
173 | |||
172 | Parameters |
|
174 | Parameters | |
173 | ---------- |
|
175 | ---------- | |
174 | gui : None or str |
|
176 | gui : None or str | |
175 | If None, clear all app references. If ('wx', 'qt4') clear |
|
177 | If None, clear all app references. If ('wx', 'qt4') clear | |
176 | the app for that toolkit. References are not held for gtk or tk |
|
178 | the app for that toolkit. References are not held for gtk or tk | |
177 | as those toolkits don't have the notion of an app. |
|
179 | as those toolkits don't have the notion of an app. | |
178 | """ |
|
180 | """ | |
179 | if gui is None: |
|
181 | if gui is None: | |
180 |
self. |
|
182 | self.apps = {} | |
181 |
elif gui in self. |
|
183 | elif gui in self.apps: | |
182 |
del self. |
|
184 | del self.apps[gui] | |
183 |
|
185 | |||
184 | def enable_wx(self, app=None): |
|
186 | def register(self, toolkitname, *aliases): | |
|
187 | """Register a class to provide the event loop for a given GUI. | |||
|
188 | ||||
|
189 | This is intended to be used as a class decorator. It should be passed | |||
|
190 | the names with which to register this GUI integration. The classes | |||
|
191 | themselves should subclass :class:`InputHookBase`. | |||
|
192 | ||||
|
193 | :: | |||
|
194 | ||||
|
195 | @inputhook_manager.register('qt') | |||
|
196 | class QtInputHook(InputHookBase): | |||
|
197 | def enable(self, app=None): | |||
|
198 | ... | |||
|
199 | """ | |||
|
200 | def decorator(cls): | |||
|
201 | inst = cls(self) | |||
|
202 | self.guihooks[toolkitname] = inst | |||
|
203 | for a in aliases: | |||
|
204 | self.aliases[a] = toolkitname | |||
|
205 | return cls | |||
|
206 | return decorator | |||
|
207 | ||||
|
208 | def current_gui(self): | |||
|
209 | """Return a string indicating the currently active GUI or None.""" | |||
|
210 | return self._current_gui | |||
|
211 | ||||
|
212 | def enable_gui(self, gui=None, app=None): | |||
|
213 | """Switch amongst GUI input hooks by name. | |||
|
214 | ||||
|
215 | This is a higher level method than :meth:`set_inputhook` - it uses the | |||
|
216 | GUI name to look up a registered object which enables the input hook | |||
|
217 | for that GUI. | |||
|
218 | ||||
|
219 | Parameters | |||
|
220 | ---------- | |||
|
221 | gui : optional, string or None | |||
|
222 | If None (or 'none'), clears input hook, otherwise it must be one | |||
|
223 | of the recognized GUI names (see ``GUI_*`` constants in module). | |||
|
224 | ||||
|
225 | app : optional, existing application object. | |||
|
226 | For toolkits that have the concept of a global app, you can supply an | |||
|
227 | existing one. If not given, the toolkit will be probed for one, and if | |||
|
228 | none is found, a new one will be created. Note that GTK does not have | |||
|
229 | this concept, and passing an app if ``gui=="GTK"`` will raise an error. | |||
|
230 | ||||
|
231 | Returns | |||
|
232 | ------- | |||
|
233 | The output of the underlying gui switch routine, typically the actual | |||
|
234 | PyOS_InputHook wrapper object or the GUI toolkit app created, if there was | |||
|
235 | one. | |||
|
236 | """ | |||
|
237 | if gui in (None, GUI_NONE): | |||
|
238 | return self.disable_gui() | |||
|
239 | ||||
|
240 | if gui in self.aliases: | |||
|
241 | return self.enable_gui(self.aliases[gui], app) | |||
|
242 | ||||
|
243 | try: | |||
|
244 | gui_hook = self.guihooks[gui] | |||
|
245 | except KeyError: | |||
|
246 | e = "Invalid GUI request {!r}, valid ones are: {}" | |||
|
247 | raise ValueError(e.format(gui, ', '.join(self.guihooks))) | |||
|
248 | self._current_gui = gui | |||
|
249 | return gui_hook.enable(app) | |||
|
250 | ||||
|
251 | def disable_gui(self): | |||
|
252 | """Disable GUI event loop integration. | |||
|
253 | ||||
|
254 | If an application was registered, this sets its ``_in_event_loop`` | |||
|
255 | attribute to False. It then calls :meth:`clear_inputhook`. | |||
|
256 | """ | |||
|
257 | gui = self._current_gui | |||
|
258 | if gui in self.apps: | |||
|
259 | self.apps[gui]._in_event_loop = False | |||
|
260 | return self.clear_inputhook() | |||
|
261 | ||||
|
262 | class InputHookBase(object): | |||
|
263 | """Base class for input hooks for specific toolkits. | |||
|
264 | ||||
|
265 | Subclasses should define an :meth:`enable` method with one argument, ``app``, | |||
|
266 | which will either be an instance of the toolkit's application class, or None. | |||
|
267 | They may also define a :meth:`disable` method with no arguments. | |||
|
268 | """ | |||
|
269 | def __init__(self, manager): | |||
|
270 | self.manager = manager | |||
|
271 | ||||
|
272 | def disable(self): | |||
|
273 | pass | |||
|
274 | ||||
|
275 | inputhook_manager = InputHookManager() | |||
|
276 | ||||
|
277 | @inputhook_manager.register('wx') | |||
|
278 | class WxInputHook(InputHookBase): | |||
|
279 | def enable(self, app=None): | |||
185 | """Enable event loop integration with wxPython. |
|
280 | """Enable event loop integration with wxPython. | |
186 |
|
281 | |||
187 | Parameters |
|
282 | Parameters | |
188 | ---------- |
|
283 | ---------- | |
189 | app : WX Application, optional. |
|
284 | app : WX Application, optional. | |
190 | Running application to use. If not given, we probe WX for an |
|
285 | Running application to use. If not given, we probe WX for an | |
191 | existing application object, and create a new one if none is found. |
|
286 | existing application object, and create a new one if none is found. | |
192 |
|
287 | |||
193 | Notes |
|
288 | Notes | |
194 | ----- |
|
289 | ----- | |
195 | This methods sets the ``PyOS_InputHook`` for wxPython, which allows |
|
290 | This methods sets the ``PyOS_InputHook`` for wxPython, which allows | |
196 | the wxPython to integrate with terminal based applications like |
|
291 | the wxPython to integrate with terminal based applications like | |
197 | IPython. |
|
292 | IPython. | |
198 |
|
293 | |||
199 | If ``app`` is not given we probe for an existing one, and return it if |
|
294 | If ``app`` is not given we probe for an existing one, and return it if | |
200 | found. If no existing app is found, we create an :class:`wx.App` as |
|
295 | found. If no existing app is found, we create an :class:`wx.App` as | |
201 | follows:: |
|
296 | follows:: | |
202 |
|
297 | |||
203 | import wx |
|
298 | import wx | |
204 | app = wx.App(redirect=False, clearSigInt=False) |
|
299 | app = wx.App(redirect=False, clearSigInt=False) | |
205 | """ |
|
300 | """ | |
206 | import wx |
|
301 | import wx | |
207 |
|
302 | |||
208 | wx_version = V(wx.__version__).version |
|
303 | wx_version = V(wx.__version__).version | |
209 |
|
304 | |||
210 | if wx_version < [2, 8]: |
|
305 | if wx_version < [2, 8]: | |
211 | raise ValueError("requires wxPython >= 2.8, but you have %s" % wx.__version__) |
|
306 | raise ValueError("requires wxPython >= 2.8, but you have %s" % wx.__version__) | |
212 |
|
307 | |||
213 | from IPython.lib.inputhookwx import inputhook_wx |
|
308 | from IPython.lib.inputhookwx import inputhook_wx | |
214 | from IPython.external.appnope import nope |
|
309 | from IPython.external.appnope import nope | |
215 | self.set_inputhook(inputhook_wx) |
|
310 | self.manager.set_inputhook(inputhook_wx) | |
216 | nope() |
|
311 | nope() | |
217 | self._current_gui = GUI_WX |
|
312 | ||
218 | import wx |
|
313 | import wx | |
219 | if app is None: |
|
314 | if app is None: | |
220 | app = wx.GetApp() |
|
315 | app = wx.GetApp() | |
221 | if app is None: |
|
316 | if app is None: | |
222 | app = wx.App(redirect=False, clearSigInt=False) |
|
317 | app = wx.App(redirect=False, clearSigInt=False) | |
223 | app._in_event_loop = True |
|
318 | app._in_event_loop = True | |
224 |
self. |
|
319 | self.manager.apps[GUI_WX] = app | |
225 | return app |
|
320 | return app | |
226 |
|
321 | |||
227 |
def disable |
|
322 | def disable(self): | |
228 | """Disable event loop integration with wxPython. |
|
323 | """Disable event loop integration with wxPython. | |
229 |
|
324 | |||
230 | This merely sets PyOS_InputHook to NULL. |
|
325 | This restores appnapp on OS X | |
231 | """ |
|
326 | """ | |
232 | from IPython.external.appnope import nap |
|
327 | from IPython.external.appnope import nap | |
233 | if GUI_WX in self._apps: |
|
|||
234 | self._apps[GUI_WX]._in_event_loop = False |
|
|||
235 | self.clear_inputhook() |
|
|||
236 | nap() |
|
328 | nap() | |
237 |
|
329 | |||
238 | def enable_qt4(self, app=None): |
|
330 | @inputhook_manager.register('qt', 'qt4') | |
|
331 | class Qt4InputHook(InputHookBase): | |||
|
332 | def enable(self, app=None): | |||
239 | """Enable event loop integration with PyQt4. |
|
333 | """Enable event loop integration with PyQt4. | |
240 |
|
334 | |||
241 | Parameters |
|
335 | Parameters | |
242 | ---------- |
|
336 | ---------- | |
243 | app : Qt Application, optional. |
|
337 | app : Qt Application, optional. | |
244 | Running application to use. If not given, we probe Qt for an |
|
338 | Running application to use. If not given, we probe Qt for an | |
245 | existing application object, and create a new one if none is found. |
|
339 | existing application object, and create a new one if none is found. | |
246 |
|
340 | |||
247 | Notes |
|
341 | Notes | |
248 | ----- |
|
342 | ----- | |
249 | This methods sets the PyOS_InputHook for PyQt4, which allows |
|
343 | This methods sets the PyOS_InputHook for PyQt4, which allows | |
250 | the PyQt4 to integrate with terminal based applications like |
|
344 | the PyQt4 to integrate with terminal based applications like | |
251 | IPython. |
|
345 | IPython. | |
252 |
|
346 | |||
253 | If ``app`` is not given we probe for an existing one, and return it if |
|
347 | If ``app`` is not given we probe for an existing one, and return it if | |
254 | found. If no existing app is found, we create an :class:`QApplication` |
|
348 | found. If no existing app is found, we create an :class:`QApplication` | |
255 | as follows:: |
|
349 | as follows:: | |
256 |
|
350 | |||
257 | from PyQt4 import QtCore |
|
351 | from PyQt4 import QtCore | |
258 | app = QtGui.QApplication(sys.argv) |
|
352 | app = QtGui.QApplication(sys.argv) | |
259 | """ |
|
353 | """ | |
260 | from IPython.lib.inputhookqt4 import create_inputhook_qt4 |
|
354 | from IPython.lib.inputhookqt4 import create_inputhook_qt4 | |
261 | from IPython.external.appnope import nope |
|
355 | from IPython.external.appnope import nope | |
262 | app, inputhook_qt4 = create_inputhook_qt4(self, app) |
|
356 | app, inputhook_qt4 = create_inputhook_qt4(self, app) | |
263 | self.set_inputhook(inputhook_qt4) |
|
357 | self.manager.set_inputhook(inputhook_qt4) | |
264 | nope() |
|
358 | nope() | |
265 |
|
359 | |||
266 | self._current_gui = GUI_QT4 |
|
|||
267 | app._in_event_loop = True |
|
360 | app._in_event_loop = True | |
268 |
self. |
|
361 | self.manager.apps[GUI_QT4] = app | |
269 | return app |
|
362 | return app | |
270 |
|
363 | |||
271 | def disable_qt4(self): |
|
364 | def disable_qt4(self): | |
272 | """Disable event loop integration with PyQt4. |
|
365 | """Disable event loop integration with PyQt4. | |
273 |
|
366 | |||
274 | This merely sets PyOS_InputHook to NULL. |
|
367 | This restores appnapp on OS X | |
275 | """ |
|
368 | """ | |
276 | from IPython.external.appnope import nap |
|
369 | from IPython.external.appnope import nap | |
277 | if GUI_QT4 in self._apps: |
|
|||
278 | self._apps[GUI_QT4]._in_event_loop = False |
|
|||
279 | self.clear_inputhook() |
|
|||
280 | nap() |
|
370 | nap() | |
281 |
|
371 | |||
282 | def enable_gtk(self, app=None): |
|
372 | @inputhook_manager.register('gtk') | |
|
373 | class GtkInputHook(InputHookBase): | |||
|
374 | def enable(self, app=None): | |||
283 | """Enable event loop integration with PyGTK. |
|
375 | """Enable event loop integration with PyGTK. | |
284 |
|
376 | |||
285 | Parameters |
|
377 | Parameters | |
286 | ---------- |
|
378 | ---------- | |
287 | app : ignored |
|
379 | app : ignored | |
288 | Ignored, it's only a placeholder to keep the call signature of all |
|
380 | Ignored, it's only a placeholder to keep the call signature of all | |
289 | gui activation methods consistent, which simplifies the logic of |
|
381 | gui activation methods consistent, which simplifies the logic of | |
290 | supporting magics. |
|
382 | supporting magics. | |
291 |
|
383 | |||
292 | Notes |
|
384 | Notes | |
293 | ----- |
|
385 | ----- | |
294 | This methods sets the PyOS_InputHook for PyGTK, which allows |
|
386 | This methods sets the PyOS_InputHook for PyGTK, which allows | |
295 | the PyGTK to integrate with terminal based applications like |
|
387 | the PyGTK to integrate with terminal based applications like | |
296 | IPython. |
|
388 | IPython. | |
297 | """ |
|
389 | """ | |
298 | import gtk |
|
390 | import gtk | |
299 | try: |
|
391 | try: | |
300 | gtk.set_interactive(True) |
|
392 | gtk.set_interactive(True) | |
301 | self._current_gui = GUI_GTK |
|
|||
302 | except AttributeError: |
|
393 | except AttributeError: | |
303 | # For older versions of gtk, use our own ctypes version |
|
394 | # For older versions of gtk, use our own ctypes version | |
304 | from IPython.lib.inputhookgtk import inputhook_gtk |
|
395 | from IPython.lib.inputhookgtk import inputhook_gtk | |
305 | self.set_inputhook(inputhook_gtk) |
|
396 | self.manager.set_inputhook(inputhook_gtk) | |
306 | self._current_gui = GUI_GTK |
|
|||
307 |
|
397 | |||
308 | def disable_gtk(self): |
|
|||
309 | """Disable event loop integration with PyGTK. |
|
|||
310 |
|
||||
311 | This merely sets PyOS_InputHook to NULL. |
|
|||
312 | """ |
|
|||
313 | self.clear_inputhook() |
|
|||
314 |
|
398 | |||
315 | def enable_tk(self, app=None): |
|
399 | @inputhook_manager.register('tk') | |
|
400 | class TkInputHook(InputHookBase): | |||
|
401 | def enable(self, app=None): | |||
316 | """Enable event loop integration with Tk. |
|
402 | """Enable event loop integration with Tk. | |
317 |
|
403 | |||
318 | Parameters |
|
404 | Parameters | |
319 | ---------- |
|
405 | ---------- | |
320 | app : toplevel :class:`Tkinter.Tk` widget, optional. |
|
406 | app : toplevel :class:`Tkinter.Tk` widget, optional. | |
321 | Running toplevel widget to use. If not given, we probe Tk for an |
|
407 | Running toplevel widget to use. If not given, we probe Tk for an | |
322 | existing one, and create a new one if none is found. |
|
408 | existing one, and create a new one if none is found. | |
323 |
|
409 | |||
324 | Notes |
|
410 | Notes | |
325 | ----- |
|
411 | ----- | |
326 | If you have already created a :class:`Tkinter.Tk` object, the only |
|
412 | If you have already created a :class:`Tkinter.Tk` object, the only | |
327 | thing done by this method is to register with the |
|
413 | thing done by this method is to register with the | |
328 | :class:`InputHookManager`, since creating that object automatically |
|
414 | :class:`InputHookManager`, since creating that object automatically | |
329 | sets ``PyOS_InputHook``. |
|
415 | sets ``PyOS_InputHook``. | |
330 | """ |
|
416 | """ | |
331 | self._current_gui = GUI_TK |
|
|||
332 | if app is None: |
|
417 | if app is None: | |
333 | try: |
|
418 | try: | |
334 | from tkinter import Tk # Py 3 |
|
419 | from tkinter import Tk # Py 3 | |
335 | except ImportError: |
|
420 | except ImportError: | |
336 | from Tkinter import Tk # Py 2 |
|
421 | from Tkinter import Tk # Py 2 | |
337 | app = Tk() |
|
422 | app = Tk() | |
338 | app.withdraw() |
|
423 | app.withdraw() | |
339 |
self. |
|
424 | self.manager.apps[GUI_TK] = app | |
340 | return app |
|
425 | return app | |
341 |
|
426 | |||
342 | def disable_tk(self): |
|
|||
343 | """Disable event loop integration with Tkinter. |
|
|||
344 |
|
||||
345 | This merely sets PyOS_InputHook to NULL. |
|
|||
346 | """ |
|
|||
347 | self.clear_inputhook() |
|
|||
348 |
|
||||
349 |
|
427 | |||
350 | def enable_glut(self, app=None): |
|
428 | @inputhook_manager.register('glut') | |
351 | """ Enable event loop integration with GLUT. |
|
429 | class GlutInputHook(InputHookBase): | |
|
430 | def enable(self, app=None): | |||
|
431 | """Enable event loop integration with GLUT. | |||
352 |
|
432 | |||
353 | Parameters |
|
433 | Parameters | |
354 | ---------- |
|
434 | ---------- | |
355 |
|
435 | |||
356 | app : ignored |
|
436 | app : ignored | |
357 | Ignored, it's only a placeholder to keep the call signature of all |
|
437 | Ignored, it's only a placeholder to keep the call signature of all | |
358 | gui activation methods consistent, which simplifies the logic of |
|
438 | gui activation methods consistent, which simplifies the logic of | |
359 | supporting magics. |
|
439 | supporting magics. | |
360 |
|
440 | |||
361 | Notes |
|
441 | Notes | |
362 | ----- |
|
442 | ----- | |
363 |
|
443 | |||
364 | This methods sets the PyOS_InputHook for GLUT, which allows the GLUT to |
|
444 | This methods sets the PyOS_InputHook for GLUT, which allows the GLUT to | |
365 | integrate with terminal based applications like IPython. Due to GLUT |
|
445 | integrate with terminal based applications like IPython. Due to GLUT | |
366 | limitations, it is currently not possible to start the event loop |
|
446 | limitations, it is currently not possible to start the event loop | |
367 | without first creating a window. You should thus not create another |
|
447 | without first creating a window. You should thus not create another | |
368 | window but use instead the created one. See 'gui-glut.py' in the |
|
448 | window but use instead the created one. See 'gui-glut.py' in the | |
369 | docs/examples/lib directory. |
|
449 | docs/examples/lib directory. | |
370 |
|
450 | |||
371 | The default screen mode is set to: |
|
451 | The default screen mode is set to: | |
372 | glut.GLUT_DOUBLE | glut.GLUT_RGBA | glut.GLUT_DEPTH |
|
452 | glut.GLUT_DOUBLE | glut.GLUT_RGBA | glut.GLUT_DEPTH | |
373 | """ |
|
453 | """ | |
374 |
|
454 | |||
375 | import OpenGL.GLUT as glut |
|
455 | import OpenGL.GLUT as glut | |
376 | from IPython.lib.inputhookglut import glut_display_mode, \ |
|
456 | from IPython.lib.inputhookglut import glut_display_mode, \ | |
377 | glut_close, glut_display, \ |
|
457 | glut_close, glut_display, \ | |
378 | glut_idle, inputhook_glut |
|
458 | glut_idle, inputhook_glut | |
379 |
|
459 | |||
380 |
if GUI_GLUT not in self. |
|
460 | if GUI_GLUT not in self.manager.apps: | |
381 | glut.glutInit( sys.argv ) |
|
461 | glut.glutInit( sys.argv ) | |
382 | glut.glutInitDisplayMode( glut_display_mode ) |
|
462 | glut.glutInitDisplayMode( glut_display_mode ) | |
383 | # This is specific to freeglut |
|
463 | # This is specific to freeglut | |
384 | if bool(glut.glutSetOption): |
|
464 | if bool(glut.glutSetOption): | |
385 | glut.glutSetOption( glut.GLUT_ACTION_ON_WINDOW_CLOSE, |
|
465 | glut.glutSetOption( glut.GLUT_ACTION_ON_WINDOW_CLOSE, | |
386 | glut.GLUT_ACTION_GLUTMAINLOOP_RETURNS ) |
|
466 | glut.GLUT_ACTION_GLUTMAINLOOP_RETURNS ) | |
387 | glut.glutCreateWindow( sys.argv[0] ) |
|
467 | glut.glutCreateWindow( sys.argv[0] ) | |
388 | glut.glutReshapeWindow( 1, 1 ) |
|
468 | glut.glutReshapeWindow( 1, 1 ) | |
389 | glut.glutHideWindow( ) |
|
469 | glut.glutHideWindow( ) | |
390 | glut.glutWMCloseFunc( glut_close ) |
|
470 | glut.glutWMCloseFunc( glut_close ) | |
391 | glut.glutDisplayFunc( glut_display ) |
|
471 | glut.glutDisplayFunc( glut_display ) | |
392 | glut.glutIdleFunc( glut_idle ) |
|
472 | glut.glutIdleFunc( glut_idle ) | |
393 | else: |
|
473 | else: | |
394 | glut.glutWMCloseFunc( glut_close ) |
|
474 | glut.glutWMCloseFunc( glut_close ) | |
395 | glut.glutDisplayFunc( glut_display ) |
|
475 | glut.glutDisplayFunc( glut_display ) | |
396 | glut.glutIdleFunc( glut_idle) |
|
476 | glut.glutIdleFunc( glut_idle) | |
397 | self.set_inputhook( inputhook_glut ) |
|
477 | self.manager.set_inputhook( inputhook_glut ) | |
398 | self._current_gui = GUI_GLUT |
|
478 | self.manager.apps[GUI_GLUT] = True | |
399 | self._apps[GUI_GLUT] = True |
|
|||
400 |
|
479 | |||
401 |
|
480 | |||
402 |
def disable |
|
481 | def disable(self): | |
403 | """Disable event loop integration with glut. |
|
482 | """Disable event loop integration with glut. | |
404 |
|
483 | |||
405 | This sets PyOS_InputHook to NULL and set the display function to a |
|
484 | This sets PyOS_InputHook to NULL and set the display function to a | |
406 | dummy one and set the timer to a dummy timer that will be triggered |
|
485 | dummy one and set the timer to a dummy timer that will be triggered | |
407 | very far in the future. |
|
486 | very far in the future. | |
408 | """ |
|
487 | """ | |
409 | import OpenGL.GLUT as glut |
|
488 | import OpenGL.GLUT as glut | |
410 | from glut_support import glutMainLoopEvent |
|
489 | from glut_support import glutMainLoopEvent | |
411 |
|
490 | |||
412 | glut.glutHideWindow() # This is an event to be processed below |
|
491 | glut.glutHideWindow() # This is an event to be processed below | |
413 | glutMainLoopEvent() |
|
492 | glutMainLoopEvent() | |
414 | self.clear_inputhook() |
|
493 | super(GlutInputHook, self).disable() | |
415 |
|
494 | |||
416 | def enable_pyglet(self, app=None): |
|
495 | @inputhook_manager.register('pyglet') | |
|
496 | class PygletInputHook(InputHookBase): | |||
|
497 | def enable(self, app=None): | |||
417 | """Enable event loop integration with pyglet. |
|
498 | """Enable event loop integration with pyglet. | |
418 |
|
499 | |||
419 | Parameters |
|
500 | Parameters | |
420 | ---------- |
|
501 | ---------- | |
421 | app : ignored |
|
502 | app : ignored | |
422 | Ignored, it's only a placeholder to keep the call signature of all |
|
503 | Ignored, it's only a placeholder to keep the call signature of all | |
423 | gui activation methods consistent, which simplifies the logic of |
|
504 | gui activation methods consistent, which simplifies the logic of | |
424 | supporting magics. |
|
505 | supporting magics. | |
425 |
|
506 | |||
426 | Notes |
|
507 | Notes | |
427 | ----- |
|
508 | ----- | |
428 | This methods sets the ``PyOS_InputHook`` for pyglet, which allows |
|
509 | This methods sets the ``PyOS_InputHook`` for pyglet, which allows | |
429 | pyglet to integrate with terminal based applications like |
|
510 | pyglet to integrate with terminal based applications like | |
430 | IPython. |
|
511 | IPython. | |
431 |
|
512 | |||
432 | """ |
|
513 | """ | |
433 | from IPython.lib.inputhookpyglet import inputhook_pyglet |
|
514 | from IPython.lib.inputhookpyglet import inputhook_pyglet | |
434 | self.set_inputhook(inputhook_pyglet) |
|
515 | self.manager.set_inputhook(inputhook_pyglet) | |
435 | self._current_gui = GUI_PYGLET |
|
|||
436 | return app |
|
516 | return app | |
437 |
|
517 | |||
438 | def disable_pyglet(self): |
|
|||
439 | """Disable event loop integration with pyglet. |
|
|||
440 |
|
518 | |||
441 | This merely sets PyOS_InputHook to NULL. |
|
519 | @inputhook_manager.register('gtk3') | |
442 | """ |
|
520 | class Gtk3InputHook(InputHookBase): | |
443 | self.clear_inputhook() |
|
521 | def enable(self, app=None): | |
444 |
|
||||
445 | def enable_gtk3(self, app=None): |
|
|||
446 | """Enable event loop integration with Gtk3 (gir bindings). |
|
522 | """Enable event loop integration with Gtk3 (gir bindings). | |
447 |
|
523 | |||
448 | Parameters |
|
524 | Parameters | |
449 | ---------- |
|
525 | ---------- | |
450 | app : ignored |
|
526 | app : ignored | |
451 | Ignored, it's only a placeholder to keep the call signature of all |
|
527 | Ignored, it's only a placeholder to keep the call signature of all | |
452 | gui activation methods consistent, which simplifies the logic of |
|
528 | gui activation methods consistent, which simplifies the logic of | |
453 | supporting magics. |
|
529 | supporting magics. | |
454 |
|
530 | |||
455 | Notes |
|
531 | Notes | |
456 | ----- |
|
532 | ----- | |
457 | This methods sets the PyOS_InputHook for Gtk3, which allows |
|
533 | This methods sets the PyOS_InputHook for Gtk3, which allows | |
458 | the Gtk3 to integrate with terminal based applications like |
|
534 | the Gtk3 to integrate with terminal based applications like | |
459 | IPython. |
|
535 | IPython. | |
460 | """ |
|
536 | """ | |
461 | from IPython.lib.inputhookgtk3 import inputhook_gtk3 |
|
537 | from IPython.lib.inputhookgtk3 import inputhook_gtk3 | |
462 | self.set_inputhook(inputhook_gtk3) |
|
538 | self.manager.set_inputhook(inputhook_gtk3) | |
463 | self._current_gui = GUI_GTK |
|
539 | self.manager._current_gui = GUI_GTK | |
464 |
|
540 | |||
465 | def disable_gtk3(self): |
|
|||
466 | """Disable event loop integration with PyGTK. |
|
|||
467 |
|
541 | |||
468 | This merely sets PyOS_InputHook to NULL. |
|
|||
469 | """ |
|
|||
470 | self.clear_inputhook() |
|
|||
471 |
|
||||
472 | def current_gui(self): |
|
|||
473 | """Return a string indicating the currently active GUI or None.""" |
|
|||
474 | return self._current_gui |
|
|||
475 |
|
||||
476 | inputhook_manager = InputHookManager() |
|
|||
477 |
|
||||
478 | enable_wx = inputhook_manager.enable_wx |
|
|||
479 | disable_wx = inputhook_manager.disable_wx |
|
|||
480 | enable_qt4 = inputhook_manager.enable_qt4 |
|
|||
481 | disable_qt4 = inputhook_manager.disable_qt4 |
|
|||
482 | enable_gtk = inputhook_manager.enable_gtk |
|
|||
483 | disable_gtk = inputhook_manager.disable_gtk |
|
|||
484 | enable_tk = inputhook_manager.enable_tk |
|
|||
485 | disable_tk = inputhook_manager.disable_tk |
|
|||
486 | enable_glut = inputhook_manager.enable_glut |
|
|||
487 | disable_glut = inputhook_manager.disable_glut |
|
|||
488 | enable_pyglet = inputhook_manager.enable_pyglet |
|
|||
489 | disable_pyglet = inputhook_manager.disable_pyglet |
|
|||
490 | enable_gtk3 = inputhook_manager.enable_gtk3 |
|
|||
491 | disable_gtk3 = inputhook_manager.disable_gtk3 |
|
|||
492 | clear_inputhook = inputhook_manager.clear_inputhook |
|
542 | clear_inputhook = inputhook_manager.clear_inputhook | |
493 | set_inputhook = inputhook_manager.set_inputhook |
|
543 | set_inputhook = inputhook_manager.set_inputhook | |
494 | current_gui = inputhook_manager.current_gui |
|
544 | current_gui = inputhook_manager.current_gui | |
495 | clear_app_refs = inputhook_manager.clear_app_refs |
|
545 | clear_app_refs = inputhook_manager.clear_app_refs | |
496 |
|
546 | enable_gui = inputhook_manager.enable_gui | ||
497 | guis = {None: clear_inputhook, |
|
547 | disable_gui = inputhook_manager.disable_gui | |
498 | GUI_NONE: clear_inputhook, |
|
548 | register = inputhook_manager.register | |
499 | GUI_OSX: lambda app=False: None, |
|
549 | guis = inputhook_manager.guihooks | |
500 | GUI_TK: enable_tk, |
|
550 | ||
501 | GUI_GTK: enable_gtk, |
|
551 | # Deprecated methods: kept for backwards compatibility, do not use in new code | |
502 | GUI_WX: enable_wx, |
|
552 | def _make_deprecated_enable(name): | |
503 | GUI_QT: enable_qt4, # qt3 not supported |
|
553 | def enable_toolkit(app=None): | |
504 | GUI_QT4: enable_qt4, |
|
554 | warn("This function is deprecated - use enable_gui(%r) instead" % name) | |
505 | GUI_GLUT: enable_glut, |
|
555 | inputhook_manager.enable_gui(name, app) | |
506 | GUI_PYGLET: enable_pyglet, |
|
556 | ||
507 | GUI_GTK3: enable_gtk3, |
|
557 | enable_wx = _make_deprecated_enable('wx') | |
508 | } |
|
558 | enable_qt4 = _make_deprecated_enable('qt4') | |
509 |
|
559 | enable_gtk = _make_deprecated_enable('gtk') | ||
510 |
|
560 | enable_tk = _make_deprecated_enable('tk') | ||
511 | # Convenience function to switch amongst them |
|
561 | enable_glut = _make_deprecated_enable('glut') | |
512 | def enable_gui(gui=None, app=None): |
|
562 | enable_pyglet = _make_deprecated_enable('pyglet') | |
513 | """Switch amongst GUI input hooks by name. |
|
563 | enable_gtk3 = _make_deprecated_enable('gtk3') | |
514 |
|
564 | |||
515 | This is just a utility wrapper around the methods of the InputHookManager |
|
565 | def _deprecated_disable(): | |
516 | object. |
|
566 | warn("This function is deprecated: use disable_gui() instead") | |
517 |
|
567 | inputhook_manager.disable_gui() | ||
518 | Parameters |
|
568 | disable_wx = disable_qt4 = disable_gtk = disable_gtk3 = disable_glut = \ | |
519 | ---------- |
|
569 | disable_pyglet = _deprecated_disable | |
520 | gui : optional, string or None |
|
|||
521 | If None (or 'none'), clears input hook, otherwise it must be one |
|
|||
522 | of the recognized GUI names (see ``GUI_*`` constants in module). |
|
|||
523 |
|
||||
524 | app : optional, existing application object. |
|
|||
525 | For toolkits that have the concept of a global app, you can supply an |
|
|||
526 | existing one. If not given, the toolkit will be probed for one, and if |
|
|||
527 | none is found, a new one will be created. Note that GTK does not have |
|
|||
528 | this concept, and passing an app if ``gui=="GTK"`` will raise an error. |
|
|||
529 |
|
||||
530 | Returns |
|
|||
531 | ------- |
|
|||
532 | The output of the underlying gui switch routine, typically the actual |
|
|||
533 | PyOS_InputHook wrapper object or the GUI toolkit app created, if there was |
|
|||
534 | one. |
|
|||
535 | """ |
|
|||
536 | try: |
|
|||
537 | gui_hook = guis[gui] |
|
|||
538 | except KeyError: |
|
|||
539 | e = "Invalid GUI request %r, valid ones are:%s" % (gui, guis.keys()) |
|
|||
540 | raise ValueError(e) |
|
|||
541 | return gui_hook(app) |
|
|||
542 |
|
@@ -1,32 +1,33 b'' | |||||
1 | .. _config_index: |
|
1 | .. _config_index: | |
2 |
|
2 | |||
3 | =============================== |
|
3 | =============================== | |
4 | Configuration and customization |
|
4 | Configuration and customization | |
5 | =============================== |
|
5 | =============================== | |
6 |
|
6 | |||
7 | Configuring IPython |
|
7 | Configuring IPython | |
8 | ------------------- |
|
8 | ------------------- | |
9 |
|
9 | |||
10 | .. toctree:: |
|
10 | .. toctree:: | |
11 | :maxdepth: 2 |
|
11 | :maxdepth: 2 | |
12 |
|
12 | |||
13 | intro |
|
13 | intro | |
14 | options/index |
|
14 | options/index | |
15 | details |
|
15 | details | |
16 |
|
16 | |||
17 | .. seealso:: |
|
17 | .. seealso:: | |
18 |
|
18 | |||
19 | :doc:`/development/config` |
|
19 | :doc:`/development/config` | |
20 | Technical details of the config system. |
|
20 | Technical details of the config system. | |
21 |
|
21 | |||
22 | Extending and integrating with IPython |
|
22 | Extending and integrating with IPython | |
23 | -------------------------------------- |
|
23 | -------------------------------------- | |
24 |
|
24 | |||
25 | .. toctree:: |
|
25 | .. toctree:: | |
26 | :maxdepth: 2 |
|
26 | :maxdepth: 2 | |
27 |
|
27 | |||
28 | extensions/index |
|
28 | extensions/index | |
29 | integrating |
|
29 | integrating | |
30 | custommagics |
|
30 | custommagics | |
31 | inputtransforms |
|
31 | inputtransforms | |
32 | callbacks |
|
32 | callbacks | |
|
33 | eventloops |
@@ -1,39 +1,39 b'' | |||||
1 | #!/usr/bin/env python |
|
1 | #!/usr/bin/env python | |
2 | """Simple GTK example to manually test event loop integration. |
|
2 | """Simple GTK example to manually test event loop integration. | |
3 |
|
3 | |||
4 | This is meant to run tests manually in ipython as: |
|
4 | This is meant to run tests manually in ipython as: | |
5 |
|
5 | |||
6 | In [5]: %gui gtk |
|
6 | In [5]: %gui gtk | |
7 |
|
7 | |||
8 | In [6]: %run gui-gtk.py |
|
8 | In [6]: %run gui-gtk.py | |
9 | """ |
|
9 | """ | |
10 |
|
10 | |||
11 | import pygtk |
|
11 | import pygtk | |
12 | pygtk.require('2.0') |
|
12 | pygtk.require('2.0') | |
13 | import gtk |
|
13 | import gtk | |
14 |
|
14 | |||
15 |
|
15 | |||
16 | def hello_world(wigdet, data=None): |
|
16 | def hello_world(wigdet, data=None): | |
17 | print("Hello World") |
|
17 | print("Hello World") | |
18 |
|
18 | |||
19 | def delete_event(widget, event, data=None): |
|
19 | def delete_event(widget, event, data=None): | |
20 | return False |
|
20 | return False | |
21 |
|
21 | |||
22 | def destroy(widget, data=None): |
|
22 | def destroy(widget, data=None): | |
23 | gtk.main_quit() |
|
23 | gtk.main_quit() | |
24 |
|
24 | |||
25 | window = gtk.Window(gtk.WINDOW_TOPLEVEL) |
|
25 | window = gtk.Window(gtk.WINDOW_TOPLEVEL) | |
26 | window.connect("delete_event", delete_event) |
|
26 | window.connect("delete_event", delete_event) | |
27 | window.connect("destroy", destroy) |
|
27 | window.connect("destroy", destroy) | |
28 | button = gtk.Button("Hello World") |
|
28 | button = gtk.Button("Hello World") | |
29 | button.connect("clicked", hello_world, None) |
|
29 | button.connect("clicked", hello_world, None) | |
30 |
|
30 | |||
31 | window.add(button) |
|
31 | window.add(button) | |
32 | button.show() |
|
32 | button.show() | |
33 | window.show() |
|
33 | window.show() | |
34 |
|
34 | |||
35 | try: |
|
35 | try: | |
36 |
from IPython.lib.inputhook import enable_g |
|
36 | from IPython.lib.inputhook import enable_gui | |
37 |
enable_g |
|
37 | enable_gui('gtk') | |
38 | except ImportError: |
|
38 | except ImportError: | |
39 | gtk.main() |
|
39 | gtk.main() |
@@ -1,37 +1,37 b'' | |||||
1 | #!/usr/bin/env python |
|
1 | #!/usr/bin/env python | |
2 | """Simple Gtk example to manually test event loop integration. |
|
2 | """Simple Gtk example to manually test event loop integration. | |
3 |
|
3 | |||
4 | This is meant to run tests manually in ipython as: |
|
4 | This is meant to run tests manually in ipython as: | |
5 |
|
5 | |||
6 | In [1]: %gui gtk3 |
|
6 | In [1]: %gui gtk3 | |
7 |
|
7 | |||
8 | In [2]: %run gui-gtk3.py |
|
8 | In [2]: %run gui-gtk3.py | |
9 | """ |
|
9 | """ | |
10 |
|
10 | |||
11 | from gi.repository import Gtk |
|
11 | from gi.repository import Gtk | |
12 |
|
12 | |||
13 |
|
13 | |||
14 | def hello_world(wigdet, data=None): |
|
14 | def hello_world(wigdet, data=None): | |
15 | print("Hello World") |
|
15 | print("Hello World") | |
16 |
|
16 | |||
17 | def delete_event(widget, event, data=None): |
|
17 | def delete_event(widget, event, data=None): | |
18 | return False |
|
18 | return False | |
19 |
|
19 | |||
20 | def destroy(widget, data=None): |
|
20 | def destroy(widget, data=None): | |
21 | Gtk.main_quit() |
|
21 | Gtk.main_quit() | |
22 |
|
22 | |||
23 | window = Gtk.Window(Gtk.WindowType.TOPLEVEL) |
|
23 | window = Gtk.Window(Gtk.WindowType.TOPLEVEL) | |
24 | window.connect("delete_event", delete_event) |
|
24 | window.connect("delete_event", delete_event) | |
25 | window.connect("destroy", destroy) |
|
25 | window.connect("destroy", destroy) | |
26 | button = Gtk.Button("Hello World") |
|
26 | button = Gtk.Button("Hello World") | |
27 | button.connect("clicked", hello_world, None) |
|
27 | button.connect("clicked", hello_world, None) | |
28 |
|
28 | |||
29 | window.add(button) |
|
29 | window.add(button) | |
30 | button.show() |
|
30 | button.show() | |
31 | window.show() |
|
31 | window.show() | |
32 |
|
32 | |||
33 | try: |
|
33 | try: | |
34 |
from IPython.lib.inputhook import enable_g |
|
34 | from IPython.lib.inputhook import enable_gui | |
35 |
enable_g |
|
35 | enable_gui('gtk3') | |
36 | except ImportError: |
|
36 | except ImportError: | |
37 | Gtk.main() |
|
37 | Gtk.main() |
@@ -1,33 +1,33 b'' | |||||
1 | #!/usr/bin/env python |
|
1 | #!/usr/bin/env python | |
2 | """Simple pyglet example to manually test event loop integration. |
|
2 | """Simple pyglet example to manually test event loop integration. | |
3 |
|
3 | |||
4 | This is meant to run tests manually in ipython as: |
|
4 | This is meant to run tests manually in ipython as: | |
5 |
|
5 | |||
6 | In [5]: %gui pyglet |
|
6 | In [5]: %gui pyglet | |
7 |
|
7 | |||
8 | In [6]: %run gui-pyglet.py |
|
8 | In [6]: %run gui-pyglet.py | |
9 | """ |
|
9 | """ | |
10 |
|
10 | |||
11 | import pyglet |
|
11 | import pyglet | |
12 |
|
12 | |||
13 |
|
13 | |||
14 | window = pyglet.window.Window() |
|
14 | window = pyglet.window.Window() | |
15 | label = pyglet.text.Label('Hello, world', |
|
15 | label = pyglet.text.Label('Hello, world', | |
16 | font_name='Times New Roman', |
|
16 | font_name='Times New Roman', | |
17 | font_size=36, |
|
17 | font_size=36, | |
18 | x=window.width//2, y=window.height//2, |
|
18 | x=window.width//2, y=window.height//2, | |
19 | anchor_x='center', anchor_y='center') |
|
19 | anchor_x='center', anchor_y='center') | |
20 | @window.event |
|
20 | @window.event | |
21 | def on_close(): |
|
21 | def on_close(): | |
22 | window.close() |
|
22 | window.close() | |
23 |
|
23 | |||
24 | @window.event |
|
24 | @window.event | |
25 | def on_draw(): |
|
25 | def on_draw(): | |
26 | window.clear() |
|
26 | window.clear() | |
27 | label.draw() |
|
27 | label.draw() | |
28 |
|
28 | |||
29 | try: |
|
29 | try: | |
30 |
from IPython.lib.inputhook import enable_ |
|
30 | from IPython.lib.inputhook import enable_gui | |
31 |
enable_ |
|
31 | enable_gui('pyglet') | |
32 | except ImportError: |
|
32 | except ImportError: | |
33 | pyglet.app.run() |
|
33 | pyglet.app.run() |
@@ -1,35 +1,36 b'' | |||||
1 | #!/usr/bin/env python |
|
1 | #!/usr/bin/env python | |
2 | """Simple Tk example to manually test event loop integration. |
|
2 | """Simple Tk example to manually test event loop integration. | |
3 |
|
3 | |||
4 | This is meant to run tests manually in ipython as: |
|
4 | This is meant to run tests manually in ipython as: | |
5 |
|
5 | |||
6 | In [5]: %gui tk |
|
6 | In [5]: %gui tk | |
7 |
|
7 | |||
8 | In [6]: %run gui-tk.py |
|
8 | In [6]: %run gui-tk.py | |
9 | """ |
|
9 | """ | |
10 |
|
10 | |||
11 | try: |
|
11 | try: | |
12 | from tkinter import * # Python 3 |
|
12 | from tkinter import * # Python 3 | |
13 | except ImportError: |
|
13 | except ImportError: | |
14 | from Tkinter import * # Python 2 |
|
14 | from Tkinter import * # Python 2 | |
15 |
|
15 | |||
16 | class MyApp: |
|
16 | class MyApp: | |
17 |
|
17 | |||
18 | def __init__(self, root): |
|
18 | def __init__(self, root): | |
19 | frame = Frame(root) |
|
19 | frame = Frame(root) | |
20 | frame.pack() |
|
20 | frame.pack() | |
21 |
|
21 | |||
22 | self.button = Button(frame, text="Hello", command=self.hello_world) |
|
22 | self.button = Button(frame, text="Hello", command=self.hello_world) | |
23 | self.button.pack(side=LEFT) |
|
23 | self.button.pack(side=LEFT) | |
24 |
|
24 | |||
25 | def hello_world(self): |
|
25 | def hello_world(self): | |
26 | print("Hello World!") |
|
26 | print("Hello World!") | |
27 |
|
27 | |||
28 | root = Tk() |
|
28 | root = Tk() | |
29 |
|
29 | |||
30 | app = MyApp(root) |
|
30 | app = MyApp(root) | |
31 |
|
31 | |||
32 | try: |
|
32 | try: | |
33 |
from IPython.lib.inputhook import enable_ |
|
33 | from IPython.lib.inputhook import enable_gui | |
|
34 | enable_gui('tk', root) | |||
34 | except ImportError: |
|
35 | except ImportError: | |
35 | root.mainloop() |
|
36 | root.mainloop() |
@@ -1,106 +1,106 b'' | |||||
1 | #!/usr/bin/env python |
|
1 | #!/usr/bin/env python | |
2 | """ |
|
2 | """ | |
3 | A Simple wx example to test IPython's event loop integration. |
|
3 | A Simple wx example to test IPython's event loop integration. | |
4 |
|
4 | |||
5 | To run this do: |
|
5 | To run this do: | |
6 |
|
6 | |||
7 | In [5]: %gui wx # or start IPython with '--gui wx' |
|
7 | In [5]: %gui wx # or start IPython with '--gui wx' | |
8 |
|
8 | |||
9 | In [6]: %run gui-wx.py |
|
9 | In [6]: %run gui-wx.py | |
10 |
|
10 | |||
11 | Ref: Modified from wxPython source code wxPython/samples/simple/simple.py |
|
11 | Ref: Modified from wxPython source code wxPython/samples/simple/simple.py | |
12 | """ |
|
12 | """ | |
13 |
|
13 | |||
14 | import wx |
|
14 | import wx | |
15 |
|
15 | |||
16 |
|
16 | |||
17 | class MyFrame(wx.Frame): |
|
17 | class MyFrame(wx.Frame): | |
18 | """ |
|
18 | """ | |
19 | This is MyFrame. It just shows a few controls on a wxPanel, |
|
19 | This is MyFrame. It just shows a few controls on a wxPanel, | |
20 | and has a simple menu. |
|
20 | and has a simple menu. | |
21 | """ |
|
21 | """ | |
22 | def __init__(self, parent, title): |
|
22 | def __init__(self, parent, title): | |
23 | wx.Frame.__init__(self, parent, -1, title, |
|
23 | wx.Frame.__init__(self, parent, -1, title, | |
24 | pos=(150, 150), size=(350, 200)) |
|
24 | pos=(150, 150), size=(350, 200)) | |
25 |
|
25 | |||
26 | # Create the menubar |
|
26 | # Create the menubar | |
27 | menuBar = wx.MenuBar() |
|
27 | menuBar = wx.MenuBar() | |
28 |
|
28 | |||
29 | # and a menu |
|
29 | # and a menu | |
30 | menu = wx.Menu() |
|
30 | menu = wx.Menu() | |
31 |
|
31 | |||
32 | # add an item to the menu, using \tKeyName automatically |
|
32 | # add an item to the menu, using \tKeyName automatically | |
33 | # creates an accelerator, the third param is some help text |
|
33 | # creates an accelerator, the third param is some help text | |
34 | # that will show up in the statusbar |
|
34 | # that will show up in the statusbar | |
35 | menu.Append(wx.ID_EXIT, "E&xit\tAlt-X", "Exit this simple sample") |
|
35 | menu.Append(wx.ID_EXIT, "E&xit\tAlt-X", "Exit this simple sample") | |
36 |
|
36 | |||
37 | # bind the menu event to an event handler |
|
37 | # bind the menu event to an event handler | |
38 | self.Bind(wx.EVT_MENU, self.OnTimeToClose, id=wx.ID_EXIT) |
|
38 | self.Bind(wx.EVT_MENU, self.OnTimeToClose, id=wx.ID_EXIT) | |
39 |
|
39 | |||
40 | # and put the menu on the menubar |
|
40 | # and put the menu on the menubar | |
41 | menuBar.Append(menu, "&File") |
|
41 | menuBar.Append(menu, "&File") | |
42 | self.SetMenuBar(menuBar) |
|
42 | self.SetMenuBar(menuBar) | |
43 |
|
43 | |||
44 | self.CreateStatusBar() |
|
44 | self.CreateStatusBar() | |
45 |
|
45 | |||
46 | # Now create the Panel to put the other controls on. |
|
46 | # Now create the Panel to put the other controls on. | |
47 | panel = wx.Panel(self) |
|
47 | panel = wx.Panel(self) | |
48 |
|
48 | |||
49 | # and a few controls |
|
49 | # and a few controls | |
50 | text = wx.StaticText(panel, -1, "Hello World!") |
|
50 | text = wx.StaticText(panel, -1, "Hello World!") | |
51 | text.SetFont(wx.Font(14, wx.SWISS, wx.NORMAL, wx.BOLD)) |
|
51 | text.SetFont(wx.Font(14, wx.SWISS, wx.NORMAL, wx.BOLD)) | |
52 | text.SetSize(text.GetBestSize()) |
|
52 | text.SetSize(text.GetBestSize()) | |
53 | btn = wx.Button(panel, -1, "Close") |
|
53 | btn = wx.Button(panel, -1, "Close") | |
54 | funbtn = wx.Button(panel, -1, "Just for fun...") |
|
54 | funbtn = wx.Button(panel, -1, "Just for fun...") | |
55 |
|
55 | |||
56 | # bind the button events to handlers |
|
56 | # bind the button events to handlers | |
57 | self.Bind(wx.EVT_BUTTON, self.OnTimeToClose, btn) |
|
57 | self.Bind(wx.EVT_BUTTON, self.OnTimeToClose, btn) | |
58 | self.Bind(wx.EVT_BUTTON, self.OnFunButton, funbtn) |
|
58 | self.Bind(wx.EVT_BUTTON, self.OnFunButton, funbtn) | |
59 |
|
59 | |||
60 | # Use a sizer to layout the controls, stacked vertically and with |
|
60 | # Use a sizer to layout the controls, stacked vertically and with | |
61 | # a 10 pixel border around each |
|
61 | # a 10 pixel border around each | |
62 | sizer = wx.BoxSizer(wx.VERTICAL) |
|
62 | sizer = wx.BoxSizer(wx.VERTICAL) | |
63 | sizer.Add(text, 0, wx.ALL, 10) |
|
63 | sizer.Add(text, 0, wx.ALL, 10) | |
64 | sizer.Add(btn, 0, wx.ALL, 10) |
|
64 | sizer.Add(btn, 0, wx.ALL, 10) | |
65 | sizer.Add(funbtn, 0, wx.ALL, 10) |
|
65 | sizer.Add(funbtn, 0, wx.ALL, 10) | |
66 | panel.SetSizer(sizer) |
|
66 | panel.SetSizer(sizer) | |
67 | panel.Layout() |
|
67 | panel.Layout() | |
68 |
|
68 | |||
69 |
|
69 | |||
70 | def OnTimeToClose(self, evt): |
|
70 | def OnTimeToClose(self, evt): | |
71 | """Event handler for the button click.""" |
|
71 | """Event handler for the button click.""" | |
72 | print("See ya later!") |
|
72 | print("See ya later!") | |
73 | self.Close() |
|
73 | self.Close() | |
74 |
|
74 | |||
75 | def OnFunButton(self, evt): |
|
75 | def OnFunButton(self, evt): | |
76 | """Event handler for the button click.""" |
|
76 | """Event handler for the button click.""" | |
77 | print("Having fun yet?") |
|
77 | print("Having fun yet?") | |
78 |
|
78 | |||
79 |
|
79 | |||
80 | class MyApp(wx.App): |
|
80 | class MyApp(wx.App): | |
81 | def OnInit(self): |
|
81 | def OnInit(self): | |
82 | frame = MyFrame(None, "Simple wxPython App") |
|
82 | frame = MyFrame(None, "Simple wxPython App") | |
83 | self.SetTopWindow(frame) |
|
83 | self.SetTopWindow(frame) | |
84 |
|
84 | |||
85 | print("Print statements go to this stdout window by default.") |
|
85 | print("Print statements go to this stdout window by default.") | |
86 |
|
86 | |||
87 | frame.Show(True) |
|
87 | frame.Show(True) | |
88 | return True |
|
88 | return True | |
89 |
|
89 | |||
90 |
|
90 | |||
91 | if __name__ == '__main__': |
|
91 | if __name__ == '__main__': | |
92 |
|
92 | |||
93 | app = wx.GetApp() |
|
93 | app = wx.GetApp() | |
94 | if app is None: |
|
94 | if app is None: | |
95 | app = MyApp(redirect=False, clearSigInt=False) |
|
95 | app = MyApp(redirect=False, clearSigInt=False) | |
96 | else: |
|
96 | else: | |
97 | frame = MyFrame(None, "Simple wxPython App") |
|
97 | frame = MyFrame(None, "Simple wxPython App") | |
98 | app.SetTopWindow(frame) |
|
98 | app.SetTopWindow(frame) | |
99 | print("Print statements go to this stdout window by default.") |
|
99 | print("Print statements go to this stdout window by default.") | |
100 | frame.Show(True) |
|
100 | frame.Show(True) | |
101 |
|
101 | |||
102 | try: |
|
102 | try: | |
103 |
from IPython.lib.inputhook import enable_ |
|
103 | from IPython.lib.inputhook import enable_gui | |
104 |
enable_ |
|
104 | enable_gui('wx', app) | |
105 | except ImportError: |
|
105 | except ImportError: | |
106 | app.MainLoop() |
|
106 | app.MainLoop() |
General Comments 0
You need to be logged in to leave comments.
Login now