Show More
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.adapter import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.channels import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.channelsabc import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.client import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.clientabc import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.kernelspec import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.kernelspecapp import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.launcher import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.manager import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.managerabc import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.multikernelmanager import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.restarter import * |
This diff has been collapsed as it changes many lines, (883 lines changed) Show them Hide them | |||||
@@ -0,0 +1,883 b'' | |||||
|
1 | """Session object for building, serializing, sending, and receiving messages in | |||
|
2 | IPython. The Session object supports serialization, HMAC signatures, and | |||
|
3 | metadata on messages. | |||
|
4 | ||||
|
5 | Also defined here are utilities for working with Sessions: | |||
|
6 | * A SessionFactory to be used as a base class for configurables that work with | |||
|
7 | Sessions. | |||
|
8 | * A Message object for convenience that allows attribute-access to the msg dict. | |||
|
9 | """ | |||
|
10 | ||||
|
11 | # Copyright (c) IPython Development Team. | |||
|
12 | # Distributed under the terms of the Modified BSD License. | |||
|
13 | ||||
|
14 | import hashlib | |||
|
15 | import hmac | |||
|
16 | import logging | |||
|
17 | import os | |||
|
18 | import pprint | |||
|
19 | import random | |||
|
20 | import uuid | |||
|
21 | import warnings | |||
|
22 | from datetime import datetime | |||
|
23 | ||||
|
24 | try: | |||
|
25 | import cPickle | |||
|
26 | pickle = cPickle | |||
|
27 | except: | |||
|
28 | cPickle = None | |||
|
29 | import pickle | |||
|
30 | ||||
|
31 | try: | |||
|
32 | # We are using compare_digest to limit the surface of timing attacks | |||
|
33 | from hmac import compare_digest | |||
|
34 | except ImportError: | |||
|
35 | # Python < 2.7.7: When digests don't match no feedback is provided, | |||
|
36 | # limiting the surface of attack | |||
|
37 | def compare_digest(a,b): return a == b | |||
|
38 | ||||
|
39 | import zmq | |||
|
40 | from zmq.utils import jsonapi | |||
|
41 | from zmq.eventloop.ioloop import IOLoop | |||
|
42 | from zmq.eventloop.zmqstream import ZMQStream | |||
|
43 | ||||
|
44 | from IPython.core.release import kernel_protocol_version | |||
|
45 | from IPython.config.configurable import Configurable, LoggingConfigurable | |||
|
46 | from IPython.utils import io | |||
|
47 | from IPython.utils.importstring import import_item | |||
|
48 | from IPython.utils.jsonutil import extract_dates, squash_dates, date_default | |||
|
49 | from IPython.utils.py3compat import (str_to_bytes, str_to_unicode, unicode_type, | |||
|
50 | iteritems) | |||
|
51 | from IPython.utils.traitlets import (CBytes, Unicode, Bool, Any, Instance, Set, | |||
|
52 | DottedObjectName, CUnicode, Dict, Integer, | |||
|
53 | TraitError, | |||
|
54 | ) | |||
|
55 | from IPython.utils.pickleutil import PICKLE_PROTOCOL | |||
|
56 | from jupyter_client.adapter import adapt | |||
|
57 | ||||
|
58 | #----------------------------------------------------------------------------- | |||
|
59 | # utility functions | |||
|
60 | #----------------------------------------------------------------------------- | |||
|
61 | ||||
|
62 | def squash_unicode(obj): | |||
|
63 | """coerce unicode back to bytestrings.""" | |||
|
64 | if isinstance(obj,dict): | |||
|
65 | for key in obj.keys(): | |||
|
66 | obj[key] = squash_unicode(obj[key]) | |||
|
67 | if isinstance(key, unicode_type): | |||
|
68 | obj[squash_unicode(key)] = obj.pop(key) | |||
|
69 | elif isinstance(obj, list): | |||
|
70 | for i,v in enumerate(obj): | |||
|
71 | obj[i] = squash_unicode(v) | |||
|
72 | elif isinstance(obj, unicode_type): | |||
|
73 | obj = obj.encode('utf8') | |||
|
74 | return obj | |||
|
75 | ||||
|
76 | #----------------------------------------------------------------------------- | |||
|
77 | # globals and defaults | |||
|
78 | #----------------------------------------------------------------------------- | |||
|
79 | ||||
|
80 | # default values for the thresholds: | |||
|
81 | MAX_ITEMS = 64 | |||
|
82 | MAX_BYTES = 1024 | |||
|
83 | ||||
|
84 | # ISO8601-ify datetime objects | |||
|
85 | # allow unicode | |||
|
86 | # disallow nan, because it's not actually valid JSON | |||
|
87 | json_packer = lambda obj: jsonapi.dumps(obj, default=date_default, | |||
|
88 | ensure_ascii=False, allow_nan=False, | |||
|
89 | ) | |||
|
90 | json_unpacker = lambda s: jsonapi.loads(s) | |||
|
91 | ||||
|
92 | pickle_packer = lambda o: pickle.dumps(squash_dates(o), PICKLE_PROTOCOL) | |||
|
93 | pickle_unpacker = pickle.loads | |||
|
94 | ||||
|
95 | default_packer = json_packer | |||
|
96 | default_unpacker = json_unpacker | |||
|
97 | ||||
|
98 | DELIM = b"<IDS|MSG>" | |||
|
99 | # singleton dummy tracker, which will always report as done | |||
|
100 | DONE = zmq.MessageTracker() | |||
|
101 | ||||
|
102 | #----------------------------------------------------------------------------- | |||
|
103 | # Mixin tools for apps that use Sessions | |||
|
104 | #----------------------------------------------------------------------------- | |||
|
105 | ||||
|
106 | session_aliases = dict( | |||
|
107 | ident = 'Session.session', | |||
|
108 | user = 'Session.username', | |||
|
109 | keyfile = 'Session.keyfile', | |||
|
110 | ) | |||
|
111 | ||||
|
112 | session_flags = { | |||
|
113 | 'secure' : ({'Session' : { 'key' : str_to_bytes(str(uuid.uuid4())), | |||
|
114 | 'keyfile' : '' }}, | |||
|
115 | """Use HMAC digests for authentication of messages. | |||
|
116 | Setting this flag will generate a new UUID to use as the HMAC key. | |||
|
117 | """), | |||
|
118 | 'no-secure' : ({'Session' : { 'key' : b'', 'keyfile' : '' }}, | |||
|
119 | """Don't authenticate messages."""), | |||
|
120 | } | |||
|
121 | ||||
|
122 | def default_secure(cfg): | |||
|
123 | """Set the default behavior for a config environment to be secure. | |||
|
124 | ||||
|
125 | If Session.key/keyfile have not been set, set Session.key to | |||
|
126 | a new random UUID. | |||
|
127 | """ | |||
|
128 | warnings.warn("default_secure is deprecated", DeprecationWarning) | |||
|
129 | if 'Session' in cfg: | |||
|
130 | if 'key' in cfg.Session or 'keyfile' in cfg.Session: | |||
|
131 | return | |||
|
132 | # key/keyfile not specified, generate new UUID: | |||
|
133 | cfg.Session.key = str_to_bytes(str(uuid.uuid4())) | |||
|
134 | ||||
|
135 | ||||
|
136 | #----------------------------------------------------------------------------- | |||
|
137 | # Classes | |||
|
138 | #----------------------------------------------------------------------------- | |||
|
139 | ||||
|
140 | class SessionFactory(LoggingConfigurable): | |||
|
141 | """The Base class for configurables that have a Session, Context, logger, | |||
|
142 | and IOLoop. | |||
|
143 | """ | |||
|
144 | ||||
|
145 | logname = Unicode('') | |||
|
146 | def _logname_changed(self, name, old, new): | |||
|
147 | self.log = logging.getLogger(new) | |||
|
148 | ||||
|
149 | # not configurable: | |||
|
150 | context = Instance('zmq.Context') | |||
|
151 | def _context_default(self): | |||
|
152 | return zmq.Context.instance() | |||
|
153 | ||||
|
154 | session = Instance('jupyter_client.session.Session') | |||
|
155 | ||||
|
156 | loop = Instance('zmq.eventloop.ioloop.IOLoop', allow_none=False) | |||
|
157 | def _loop_default(self): | |||
|
158 | return IOLoop.instance() | |||
|
159 | ||||
|
160 | def __init__(self, **kwargs): | |||
|
161 | super(SessionFactory, self).__init__(**kwargs) | |||
|
162 | ||||
|
163 | if self.session is None: | |||
|
164 | # construct the session | |||
|
165 | self.session = Session(**kwargs) | |||
|
166 | ||||
|
167 | ||||
|
168 | class Message(object): | |||
|
169 | """A simple message object that maps dict keys to attributes. | |||
|
170 | ||||
|
171 | A Message can be created from a dict and a dict from a Message instance | |||
|
172 | simply by calling dict(msg_obj).""" | |||
|
173 | ||||
|
174 | def __init__(self, msg_dict): | |||
|
175 | dct = self.__dict__ | |||
|
176 | for k, v in iteritems(dict(msg_dict)): | |||
|
177 | if isinstance(v, dict): | |||
|
178 | v = Message(v) | |||
|
179 | dct[k] = v | |||
|
180 | ||||
|
181 | # Having this iterator lets dict(msg_obj) work out of the box. | |||
|
182 | def __iter__(self): | |||
|
183 | return iter(iteritems(self.__dict__)) | |||
|
184 | ||||
|
185 | def __repr__(self): | |||
|
186 | return repr(self.__dict__) | |||
|
187 | ||||
|
188 | def __str__(self): | |||
|
189 | return pprint.pformat(self.__dict__) | |||
|
190 | ||||
|
191 | def __contains__(self, k): | |||
|
192 | return k in self.__dict__ | |||
|
193 | ||||
|
194 | def __getitem__(self, k): | |||
|
195 | return self.__dict__[k] | |||
|
196 | ||||
|
197 | ||||
|
198 | def msg_header(msg_id, msg_type, username, session): | |||
|
199 | date = datetime.now() | |||
|
200 | version = kernel_protocol_version | |||
|
201 | return locals() | |||
|
202 | ||||
|
203 | def extract_header(msg_or_header): | |||
|
204 | """Given a message or header, return the header.""" | |||
|
205 | if not msg_or_header: | |||
|
206 | return {} | |||
|
207 | try: | |||
|
208 | # See if msg_or_header is the entire message. | |||
|
209 | h = msg_or_header['header'] | |||
|
210 | except KeyError: | |||
|
211 | try: | |||
|
212 | # See if msg_or_header is just the header | |||
|
213 | h = msg_or_header['msg_id'] | |||
|
214 | except KeyError: | |||
|
215 | raise | |||
|
216 | else: | |||
|
217 | h = msg_or_header | |||
|
218 | if not isinstance(h, dict): | |||
|
219 | h = dict(h) | |||
|
220 | return h | |||
|
221 | ||||
|
222 | class Session(Configurable): | |||
|
223 | """Object for handling serialization and sending of messages. | |||
|
224 | ||||
|
225 | The Session object handles building messages and sending them | |||
|
226 | with ZMQ sockets or ZMQStream objects. Objects can communicate with each | |||
|
227 | other over the network via Session objects, and only need to work with the | |||
|
228 | dict-based IPython message spec. The Session will handle | |||
|
229 | serialization/deserialization, security, and metadata. | |||
|
230 | ||||
|
231 | Sessions support configurable serialization via packer/unpacker traits, | |||
|
232 | and signing with HMAC digests via the key/keyfile traits. | |||
|
233 | ||||
|
234 | Parameters | |||
|
235 | ---------- | |||
|
236 | ||||
|
237 | debug : bool | |||
|
238 | whether to trigger extra debugging statements | |||
|
239 | packer/unpacker : str : 'json', 'pickle' or import_string | |||
|
240 | importstrings for methods to serialize message parts. If just | |||
|
241 | 'json' or 'pickle', predefined JSON and pickle packers will be used. | |||
|
242 | Otherwise, the entire importstring must be used. | |||
|
243 | ||||
|
244 | The functions must accept at least valid JSON input, and output *bytes*. | |||
|
245 | ||||
|
246 | For example, to use msgpack: | |||
|
247 | packer = 'msgpack.packb', unpacker='msgpack.unpackb' | |||
|
248 | pack/unpack : callables | |||
|
249 | You can also set the pack/unpack callables for serialization directly. | |||
|
250 | session : bytes | |||
|
251 | the ID of this Session object. The default is to generate a new UUID. | |||
|
252 | username : unicode | |||
|
253 | username added to message headers. The default is to ask the OS. | |||
|
254 | key : bytes | |||
|
255 | The key used to initialize an HMAC signature. If unset, messages | |||
|
256 | will not be signed or checked. | |||
|
257 | keyfile : filepath | |||
|
258 | The file containing a key. If this is set, `key` will be initialized | |||
|
259 | to the contents of the file. | |||
|
260 | ||||
|
261 | """ | |||
|
262 | ||||
|
263 | debug=Bool(False, config=True, help="""Debug output in the Session""") | |||
|
264 | ||||
|
265 | packer = DottedObjectName('json',config=True, | |||
|
266 | help="""The name of the packer for serializing messages. | |||
|
267 | Should be one of 'json', 'pickle', or an import name | |||
|
268 | for a custom callable serializer.""") | |||
|
269 | def _packer_changed(self, name, old, new): | |||
|
270 | if new.lower() == 'json': | |||
|
271 | self.pack = json_packer | |||
|
272 | self.unpack = json_unpacker | |||
|
273 | self.unpacker = new | |||
|
274 | elif new.lower() == 'pickle': | |||
|
275 | self.pack = pickle_packer | |||
|
276 | self.unpack = pickle_unpacker | |||
|
277 | self.unpacker = new | |||
|
278 | else: | |||
|
279 | self.pack = import_item(str(new)) | |||
|
280 | ||||
|
281 | unpacker = DottedObjectName('json', config=True, | |||
|
282 | help="""The name of the unpacker for unserializing messages. | |||
|
283 | Only used with custom functions for `packer`.""") | |||
|
284 | def _unpacker_changed(self, name, old, new): | |||
|
285 | if new.lower() == 'json': | |||
|
286 | self.pack = json_packer | |||
|
287 | self.unpack = json_unpacker | |||
|
288 | self.packer = new | |||
|
289 | elif new.lower() == 'pickle': | |||
|
290 | self.pack = pickle_packer | |||
|
291 | self.unpack = pickle_unpacker | |||
|
292 | self.packer = new | |||
|
293 | else: | |||
|
294 | self.unpack = import_item(str(new)) | |||
|
295 | ||||
|
296 | session = CUnicode(u'', config=True, | |||
|
297 | help="""The UUID identifying this session.""") | |||
|
298 | def _session_default(self): | |||
|
299 | u = unicode_type(uuid.uuid4()) | |||
|
300 | self.bsession = u.encode('ascii') | |||
|
301 | return u | |||
|
302 | ||||
|
303 | def _session_changed(self, name, old, new): | |||
|
304 | self.bsession = self.session.encode('ascii') | |||
|
305 | ||||
|
306 | # bsession is the session as bytes | |||
|
307 | bsession = CBytes(b'') | |||
|
308 | ||||
|
309 | username = Unicode(str_to_unicode(os.environ.get('USER', 'username')), | |||
|
310 | help="""Username for the Session. Default is your system username.""", | |||
|
311 | config=True) | |||
|
312 | ||||
|
313 | metadata = Dict({}, config=True, | |||
|
314 | help="""Metadata dictionary, which serves as the default top-level metadata dict for each message.""") | |||
|
315 | ||||
|
316 | # if 0, no adapting to do. | |||
|
317 | adapt_version = Integer(0) | |||
|
318 | ||||
|
319 | # message signature related traits: | |||
|
320 | ||||
|
321 | key = CBytes(config=True, | |||
|
322 | help="""execution key, for signing messages.""") | |||
|
323 | def _key_default(self): | |||
|
324 | return str_to_bytes(str(uuid.uuid4())) | |||
|
325 | ||||
|
326 | def _key_changed(self): | |||
|
327 | self._new_auth() | |||
|
328 | ||||
|
329 | signature_scheme = Unicode('hmac-sha256', config=True, | |||
|
330 | help="""The digest scheme used to construct the message signatures. | |||
|
331 | Must have the form 'hmac-HASH'.""") | |||
|
332 | def _signature_scheme_changed(self, name, old, new): | |||
|
333 | if not new.startswith('hmac-'): | |||
|
334 | raise TraitError("signature_scheme must start with 'hmac-', got %r" % new) | |||
|
335 | hash_name = new.split('-', 1)[1] | |||
|
336 | try: | |||
|
337 | self.digest_mod = getattr(hashlib, hash_name) | |||
|
338 | except AttributeError: | |||
|
339 | raise TraitError("hashlib has no such attribute: %s" % hash_name) | |||
|
340 | self._new_auth() | |||
|
341 | ||||
|
342 | digest_mod = Any() | |||
|
343 | def _digest_mod_default(self): | |||
|
344 | return hashlib.sha256 | |||
|
345 | ||||
|
346 | auth = Instance(hmac.HMAC) | |||
|
347 | ||||
|
348 | def _new_auth(self): | |||
|
349 | if self.key: | |||
|
350 | self.auth = hmac.HMAC(self.key, digestmod=self.digest_mod) | |||
|
351 | else: | |||
|
352 | self.auth = None | |||
|
353 | ||||
|
354 | digest_history = Set() | |||
|
355 | digest_history_size = Integer(2**16, config=True, | |||
|
356 | help="""The maximum number of digests to remember. | |||
|
357 | ||||
|
358 | The digest history will be culled when it exceeds this value. | |||
|
359 | """ | |||
|
360 | ) | |||
|
361 | ||||
|
362 | keyfile = Unicode('', config=True, | |||
|
363 | help="""path to file containing execution key.""") | |||
|
364 | def _keyfile_changed(self, name, old, new): | |||
|
365 | with open(new, 'rb') as f: | |||
|
366 | self.key = f.read().strip() | |||
|
367 | ||||
|
368 | # for protecting against sends from forks | |||
|
369 | pid = Integer() | |||
|
370 | ||||
|
371 | # serialization traits: | |||
|
372 | ||||
|
373 | pack = Any(default_packer) # the actual packer function | |||
|
374 | def _pack_changed(self, name, old, new): | |||
|
375 | if not callable(new): | |||
|
376 | raise TypeError("packer must be callable, not %s"%type(new)) | |||
|
377 | ||||
|
378 | unpack = Any(default_unpacker) # the actual packer function | |||
|
379 | def _unpack_changed(self, name, old, new): | |||
|
380 | # unpacker is not checked - it is assumed to be | |||
|
381 | if not callable(new): | |||
|
382 | raise TypeError("unpacker must be callable, not %s"%type(new)) | |||
|
383 | ||||
|
384 | # thresholds: | |||
|
385 | copy_threshold = Integer(2**16, config=True, | |||
|
386 | help="Threshold (in bytes) beyond which a buffer should be sent without copying.") | |||
|
387 | buffer_threshold = Integer(MAX_BYTES, config=True, | |||
|
388 | help="Threshold (in bytes) beyond which an object's buffer should be extracted to avoid pickling.") | |||
|
389 | item_threshold = Integer(MAX_ITEMS, config=True, | |||
|
390 | help="""The maximum number of items for a container to be introspected for custom serialization. | |||
|
391 | Containers larger than this are pickled outright. | |||
|
392 | """ | |||
|
393 | ) | |||
|
394 | ||||
|
395 | ||||
|
396 | def __init__(self, **kwargs): | |||
|
397 | """create a Session object | |||
|
398 | ||||
|
399 | Parameters | |||
|
400 | ---------- | |||
|
401 | ||||
|
402 | debug : bool | |||
|
403 | whether to trigger extra debugging statements | |||
|
404 | packer/unpacker : str : 'json', 'pickle' or import_string | |||
|
405 | importstrings for methods to serialize message parts. If just | |||
|
406 | 'json' or 'pickle', predefined JSON and pickle packers will be used. | |||
|
407 | Otherwise, the entire importstring must be used. | |||
|
408 | ||||
|
409 | The functions must accept at least valid JSON input, and output | |||
|
410 | *bytes*. | |||
|
411 | ||||
|
412 | For example, to use msgpack: | |||
|
413 | packer = 'msgpack.packb', unpacker='msgpack.unpackb' | |||
|
414 | pack/unpack : callables | |||
|
415 | You can also set the pack/unpack callables for serialization | |||
|
416 | directly. | |||
|
417 | session : unicode (must be ascii) | |||
|
418 | the ID of this Session object. The default is to generate a new | |||
|
419 | UUID. | |||
|
420 | bsession : bytes | |||
|
421 | The session as bytes | |||
|
422 | username : unicode | |||
|
423 | username added to message headers. The default is to ask the OS. | |||
|
424 | key : bytes | |||
|
425 | The key used to initialize an HMAC signature. If unset, messages | |||
|
426 | will not be signed or checked. | |||
|
427 | signature_scheme : str | |||
|
428 | The message digest scheme. Currently must be of the form 'hmac-HASH', | |||
|
429 | where 'HASH' is a hashing function available in Python's hashlib. | |||
|
430 | The default is 'hmac-sha256'. | |||
|
431 | This is ignored if 'key' is empty. | |||
|
432 | keyfile : filepath | |||
|
433 | The file containing a key. If this is set, `key` will be | |||
|
434 | initialized to the contents of the file. | |||
|
435 | """ | |||
|
436 | super(Session, self).__init__(**kwargs) | |||
|
437 | self._check_packers() | |||
|
438 | self.none = self.pack({}) | |||
|
439 | # ensure self._session_default() if necessary, so bsession is defined: | |||
|
440 | self.session | |||
|
441 | self.pid = os.getpid() | |||
|
442 | self._new_auth() | |||
|
443 | ||||
|
444 | @property | |||
|
445 | def msg_id(self): | |||
|
446 | """always return new uuid""" | |||
|
447 | return str(uuid.uuid4()) | |||
|
448 | ||||
|
449 | def _check_packers(self): | |||
|
450 | """check packers for datetime support.""" | |||
|
451 | pack = self.pack | |||
|
452 | unpack = self.unpack | |||
|
453 | ||||
|
454 | # check simple serialization | |||
|
455 | msg = dict(a=[1,'hi']) | |||
|
456 | try: | |||
|
457 | packed = pack(msg) | |||
|
458 | except Exception as e: | |||
|
459 | msg = "packer '{packer}' could not serialize a simple message: {e}{jsonmsg}" | |||
|
460 | if self.packer == 'json': | |||
|
461 | jsonmsg = "\nzmq.utils.jsonapi.jsonmod = %s" % jsonapi.jsonmod | |||
|
462 | else: | |||
|
463 | jsonmsg = "" | |||
|
464 | raise ValueError( | |||
|
465 | msg.format(packer=self.packer, e=e, jsonmsg=jsonmsg) | |||
|
466 | ) | |||
|
467 | ||||
|
468 | # ensure packed message is bytes | |||
|
469 | if not isinstance(packed, bytes): | |||
|
470 | raise ValueError("message packed to %r, but bytes are required"%type(packed)) | |||
|
471 | ||||
|
472 | # check that unpack is pack's inverse | |||
|
473 | try: | |||
|
474 | unpacked = unpack(packed) | |||
|
475 | assert unpacked == msg | |||
|
476 | except Exception as e: | |||
|
477 | msg = "unpacker '{unpacker}' could not handle output from packer '{packer}': {e}{jsonmsg}" | |||
|
478 | if self.packer == 'json': | |||
|
479 | jsonmsg = "\nzmq.utils.jsonapi.jsonmod = %s" % jsonapi.jsonmod | |||
|
480 | else: | |||
|
481 | jsonmsg = "" | |||
|
482 | raise ValueError( | |||
|
483 | msg.format(packer=self.packer, unpacker=self.unpacker, e=e, jsonmsg=jsonmsg) | |||
|
484 | ) | |||
|
485 | ||||
|
486 | # check datetime support | |||
|
487 | msg = dict(t=datetime.now()) | |||
|
488 | try: | |||
|
489 | unpacked = unpack(pack(msg)) | |||
|
490 | if isinstance(unpacked['t'], datetime): | |||
|
491 | raise ValueError("Shouldn't deserialize to datetime") | |||
|
492 | except Exception: | |||
|
493 | self.pack = lambda o: pack(squash_dates(o)) | |||
|
494 | self.unpack = lambda s: unpack(s) | |||
|
495 | ||||
|
496 | def msg_header(self, msg_type): | |||
|
497 | return msg_header(self.msg_id, msg_type, self.username, self.session) | |||
|
498 | ||||
|
499 | def msg(self, msg_type, content=None, parent=None, header=None, metadata=None): | |||
|
500 | """Return the nested message dict. | |||
|
501 | ||||
|
502 | This format is different from what is sent over the wire. The | |||
|
503 | serialize/deserialize methods converts this nested message dict to the wire | |||
|
504 | format, which is a list of message parts. | |||
|
505 | """ | |||
|
506 | msg = {} | |||
|
507 | header = self.msg_header(msg_type) if header is None else header | |||
|
508 | msg['header'] = header | |||
|
509 | msg['msg_id'] = header['msg_id'] | |||
|
510 | msg['msg_type'] = header['msg_type'] | |||
|
511 | msg['parent_header'] = {} if parent is None else extract_header(parent) | |||
|
512 | msg['content'] = {} if content is None else content | |||
|
513 | msg['metadata'] = self.metadata.copy() | |||
|
514 | if metadata is not None: | |||
|
515 | msg['metadata'].update(metadata) | |||
|
516 | return msg | |||
|
517 | ||||
|
518 | def sign(self, msg_list): | |||
|
519 | """Sign a message with HMAC digest. If no auth, return b''. | |||
|
520 | ||||
|
521 | Parameters | |||
|
522 | ---------- | |||
|
523 | msg_list : list | |||
|
524 | The [p_header,p_parent,p_content] part of the message list. | |||
|
525 | """ | |||
|
526 | if self.auth is None: | |||
|
527 | return b'' | |||
|
528 | h = self.auth.copy() | |||
|
529 | for m in msg_list: | |||
|
530 | h.update(m) | |||
|
531 | return str_to_bytes(h.hexdigest()) | |||
|
532 | ||||
|
533 | def serialize(self, msg, ident=None): | |||
|
534 | """Serialize the message components to bytes. | |||
|
535 | ||||
|
536 | This is roughly the inverse of deserialize. The serialize/deserialize | |||
|
537 | methods work with full message lists, whereas pack/unpack work with | |||
|
538 | the individual message parts in the message list. | |||
|
539 | ||||
|
540 | Parameters | |||
|
541 | ---------- | |||
|
542 | msg : dict or Message | |||
|
543 | The next message dict as returned by the self.msg method. | |||
|
544 | ||||
|
545 | Returns | |||
|
546 | ------- | |||
|
547 | msg_list : list | |||
|
548 | The list of bytes objects to be sent with the format:: | |||
|
549 | ||||
|
550 | [ident1, ident2, ..., DELIM, HMAC, p_header, p_parent, | |||
|
551 | p_metadata, p_content, buffer1, buffer2, ...] | |||
|
552 | ||||
|
553 | In this list, the ``p_*`` entities are the packed or serialized | |||
|
554 | versions, so if JSON is used, these are utf8 encoded JSON strings. | |||
|
555 | """ | |||
|
556 | content = msg.get('content', {}) | |||
|
557 | if content is None: | |||
|
558 | content = self.none | |||
|
559 | elif isinstance(content, dict): | |||
|
560 | content = self.pack(content) | |||
|
561 | elif isinstance(content, bytes): | |||
|
562 | # content is already packed, as in a relayed message | |||
|
563 | pass | |||
|
564 | elif isinstance(content, unicode_type): | |||
|
565 | # should be bytes, but JSON often spits out unicode | |||
|
566 | content = content.encode('utf8') | |||
|
567 | else: | |||
|
568 | raise TypeError("Content incorrect type: %s"%type(content)) | |||
|
569 | ||||
|
570 | real_message = [self.pack(msg['header']), | |||
|
571 | self.pack(msg['parent_header']), | |||
|
572 | self.pack(msg['metadata']), | |||
|
573 | content, | |||
|
574 | ] | |||
|
575 | ||||
|
576 | to_send = [] | |||
|
577 | ||||
|
578 | if isinstance(ident, list): | |||
|
579 | # accept list of idents | |||
|
580 | to_send.extend(ident) | |||
|
581 | elif ident is not None: | |||
|
582 | to_send.append(ident) | |||
|
583 | to_send.append(DELIM) | |||
|
584 | ||||
|
585 | signature = self.sign(real_message) | |||
|
586 | to_send.append(signature) | |||
|
587 | ||||
|
588 | to_send.extend(real_message) | |||
|
589 | ||||
|
590 | return to_send | |||
|
591 | ||||
|
592 | def send(self, stream, msg_or_type, content=None, parent=None, ident=None, | |||
|
593 | buffers=None, track=False, header=None, metadata=None): | |||
|
594 | """Build and send a message via stream or socket. | |||
|
595 | ||||
|
596 | The message format used by this function internally is as follows: | |||
|
597 | ||||
|
598 | [ident1,ident2,...,DELIM,HMAC,p_header,p_parent,p_content, | |||
|
599 | buffer1,buffer2,...] | |||
|
600 | ||||
|
601 | The serialize/deserialize methods convert the nested message dict into this | |||
|
602 | format. | |||
|
603 | ||||
|
604 | Parameters | |||
|
605 | ---------- | |||
|
606 | ||||
|
607 | stream : zmq.Socket or ZMQStream | |||
|
608 | The socket-like object used to send the data. | |||
|
609 | msg_or_type : str or Message/dict | |||
|
610 | Normally, msg_or_type will be a msg_type unless a message is being | |||
|
611 | sent more than once. If a header is supplied, this can be set to | |||
|
612 | None and the msg_type will be pulled from the header. | |||
|
613 | ||||
|
614 | content : dict or None | |||
|
615 | The content of the message (ignored if msg_or_type is a message). | |||
|
616 | header : dict or None | |||
|
617 | The header dict for the message (ignored if msg_to_type is a message). | |||
|
618 | parent : Message or dict or None | |||
|
619 | The parent or parent header describing the parent of this message | |||
|
620 | (ignored if msg_or_type is a message). | |||
|
621 | ident : bytes or list of bytes | |||
|
622 | The zmq.IDENTITY routing path. | |||
|
623 | metadata : dict or None | |||
|
624 | The metadata describing the message | |||
|
625 | buffers : list or None | |||
|
626 | The already-serialized buffers to be appended to the message. | |||
|
627 | track : bool | |||
|
628 | Whether to track. Only for use with Sockets, because ZMQStream | |||
|
629 | objects cannot track messages. | |||
|
630 | ||||
|
631 | ||||
|
632 | Returns | |||
|
633 | ------- | |||
|
634 | msg : dict | |||
|
635 | The constructed message. | |||
|
636 | """ | |||
|
637 | if not isinstance(stream, zmq.Socket): | |||
|
638 | # ZMQStreams and dummy sockets do not support tracking. | |||
|
639 | track = False | |||
|
640 | ||||
|
641 | if isinstance(msg_or_type, (Message, dict)): | |||
|
642 | # We got a Message or message dict, not a msg_type so don't | |||
|
643 | # build a new Message. | |||
|
644 | msg = msg_or_type | |||
|
645 | buffers = buffers or msg.get('buffers', []) | |||
|
646 | else: | |||
|
647 | msg = self.msg(msg_or_type, content=content, parent=parent, | |||
|
648 | header=header, metadata=metadata) | |||
|
649 | if not os.getpid() == self.pid: | |||
|
650 | io.rprint("WARNING: attempted to send message from fork") | |||
|
651 | io.rprint(msg) | |||
|
652 | return | |||
|
653 | buffers = [] if buffers is None else buffers | |||
|
654 | if self.adapt_version: | |||
|
655 | msg = adapt(msg, self.adapt_version) | |||
|
656 | to_send = self.serialize(msg, ident) | |||
|
657 | to_send.extend(buffers) | |||
|
658 | longest = max([ len(s) for s in to_send ]) | |||
|
659 | copy = (longest < self.copy_threshold) | |||
|
660 | ||||
|
661 | if buffers and track and not copy: | |||
|
662 | # only really track when we are doing zero-copy buffers | |||
|
663 | tracker = stream.send_multipart(to_send, copy=False, track=True) | |||
|
664 | else: | |||
|
665 | # use dummy tracker, which will be done immediately | |||
|
666 | tracker = DONE | |||
|
667 | stream.send_multipart(to_send, copy=copy) | |||
|
668 | ||||
|
669 | if self.debug: | |||
|
670 | pprint.pprint(msg) | |||
|
671 | pprint.pprint(to_send) | |||
|
672 | pprint.pprint(buffers) | |||
|
673 | ||||
|
674 | msg['tracker'] = tracker | |||
|
675 | ||||
|
676 | return msg | |||
|
677 | ||||
|
678 | def send_raw(self, stream, msg_list, flags=0, copy=True, ident=None): | |||
|
679 | """Send a raw message via ident path. | |||
|
680 | ||||
|
681 | This method is used to send a already serialized message. | |||
|
682 | ||||
|
683 | Parameters | |||
|
684 | ---------- | |||
|
685 | stream : ZMQStream or Socket | |||
|
686 | The ZMQ stream or socket to use for sending the message. | |||
|
687 | msg_list : list | |||
|
688 | The serialized list of messages to send. This only includes the | |||
|
689 | [p_header,p_parent,p_metadata,p_content,buffer1,buffer2,...] portion of | |||
|
690 | the message. | |||
|
691 | ident : ident or list | |||
|
692 | A single ident or a list of idents to use in sending. | |||
|
693 | """ | |||
|
694 | to_send = [] | |||
|
695 | if isinstance(ident, bytes): | |||
|
696 | ident = [ident] | |||
|
697 | if ident is not None: | |||
|
698 | to_send.extend(ident) | |||
|
699 | ||||
|
700 | to_send.append(DELIM) | |||
|
701 | to_send.append(self.sign(msg_list)) | |||
|
702 | to_send.extend(msg_list) | |||
|
703 | stream.send_multipart(to_send, flags, copy=copy) | |||
|
704 | ||||
|
705 | def recv(self, socket, mode=zmq.NOBLOCK, content=True, copy=True): | |||
|
706 | """Receive and unpack a message. | |||
|
707 | ||||
|
708 | Parameters | |||
|
709 | ---------- | |||
|
710 | socket : ZMQStream or Socket | |||
|
711 | The socket or stream to use in receiving. | |||
|
712 | ||||
|
713 | Returns | |||
|
714 | ------- | |||
|
715 | [idents], msg | |||
|
716 | [idents] is a list of idents and msg is a nested message dict of | |||
|
717 | same format as self.msg returns. | |||
|
718 | """ | |||
|
719 | if isinstance(socket, ZMQStream): | |||
|
720 | socket = socket.socket | |||
|
721 | try: | |||
|
722 | msg_list = socket.recv_multipart(mode, copy=copy) | |||
|
723 | except zmq.ZMQError as e: | |||
|
724 | if e.errno == zmq.EAGAIN: | |||
|
725 | # We can convert EAGAIN to None as we know in this case | |||
|
726 | # recv_multipart won't return None. | |||
|
727 | return None,None | |||
|
728 | else: | |||
|
729 | raise | |||
|
730 | # split multipart message into identity list and message dict | |||
|
731 | # invalid large messages can cause very expensive string comparisons | |||
|
732 | idents, msg_list = self.feed_identities(msg_list, copy) | |||
|
733 | try: | |||
|
734 | return idents, self.deserialize(msg_list, content=content, copy=copy) | |||
|
735 | except Exception as e: | |||
|
736 | # TODO: handle it | |||
|
737 | raise e | |||
|
738 | ||||
|
739 | def feed_identities(self, msg_list, copy=True): | |||
|
740 | """Split the identities from the rest of the message. | |||
|
741 | ||||
|
742 | Feed until DELIM is reached, then return the prefix as idents and | |||
|
743 | remainder as msg_list. This is easily broken by setting an IDENT to DELIM, | |||
|
744 | but that would be silly. | |||
|
745 | ||||
|
746 | Parameters | |||
|
747 | ---------- | |||
|
748 | msg_list : a list of Message or bytes objects | |||
|
749 | The message to be split. | |||
|
750 | copy : bool | |||
|
751 | flag determining whether the arguments are bytes or Messages | |||
|
752 | ||||
|
753 | Returns | |||
|
754 | ------- | |||
|
755 | (idents, msg_list) : two lists | |||
|
756 | idents will always be a list of bytes, each of which is a ZMQ | |||
|
757 | identity. msg_list will be a list of bytes or zmq.Messages of the | |||
|
758 | form [HMAC,p_header,p_parent,p_content,buffer1,buffer2,...] and | |||
|
759 | should be unpackable/unserializable via self.deserialize at this | |||
|
760 | point. | |||
|
761 | """ | |||
|
762 | if copy: | |||
|
763 | idx = msg_list.index(DELIM) | |||
|
764 | return msg_list[:idx], msg_list[idx+1:] | |||
|
765 | else: | |||
|
766 | failed = True | |||
|
767 | for idx,m in enumerate(msg_list): | |||
|
768 | if m.bytes == DELIM: | |||
|
769 | failed = False | |||
|
770 | break | |||
|
771 | if failed: | |||
|
772 | raise ValueError("DELIM not in msg_list") | |||
|
773 | idents, msg_list = msg_list[:idx], msg_list[idx+1:] | |||
|
774 | return [m.bytes for m in idents], msg_list | |||
|
775 | ||||
|
776 | def _add_digest(self, signature): | |||
|
777 | """add a digest to history to protect against replay attacks""" | |||
|
778 | if self.digest_history_size == 0: | |||
|
779 | # no history, never add digests | |||
|
780 | return | |||
|
781 | ||||
|
782 | self.digest_history.add(signature) | |||
|
783 | if len(self.digest_history) > self.digest_history_size: | |||
|
784 | # threshold reached, cull 10% | |||
|
785 | self._cull_digest_history() | |||
|
786 | ||||
|
787 | def _cull_digest_history(self): | |||
|
788 | """cull the digest history | |||
|
789 | ||||
|
790 | Removes a randomly selected 10% of the digest history | |||
|
791 | """ | |||
|
792 | current = len(self.digest_history) | |||
|
793 | n_to_cull = max(int(current // 10), current - self.digest_history_size) | |||
|
794 | if n_to_cull >= current: | |||
|
795 | self.digest_history = set() | |||
|
796 | return | |||
|
797 | to_cull = random.sample(self.digest_history, n_to_cull) | |||
|
798 | self.digest_history.difference_update(to_cull) | |||
|
799 | ||||
|
800 | def deserialize(self, msg_list, content=True, copy=True): | |||
|
801 | """Unserialize a msg_list to a nested message dict. | |||
|
802 | ||||
|
803 | This is roughly the inverse of serialize. The serialize/deserialize | |||
|
804 | methods work with full message lists, whereas pack/unpack work with | |||
|
805 | the individual message parts in the message list. | |||
|
806 | ||||
|
807 | Parameters | |||
|
808 | ---------- | |||
|
809 | msg_list : list of bytes or Message objects | |||
|
810 | The list of message parts of the form [HMAC,p_header,p_parent, | |||
|
811 | p_metadata,p_content,buffer1,buffer2,...]. | |||
|
812 | content : bool (True) | |||
|
813 | Whether to unpack the content dict (True), or leave it packed | |||
|
814 | (False). | |||
|
815 | copy : bool (True) | |||
|
816 | Whether msg_list contains bytes (True) or the non-copying Message | |||
|
817 | objects in each place (False). | |||
|
818 | ||||
|
819 | Returns | |||
|
820 | ------- | |||
|
821 | msg : dict | |||
|
822 | The nested message dict with top-level keys [header, parent_header, | |||
|
823 | content, buffers]. The buffers are returned as memoryviews. | |||
|
824 | """ | |||
|
825 | minlen = 5 | |||
|
826 | message = {} | |||
|
827 | if not copy: | |||
|
828 | # pyzmq didn't copy the first parts of the message, so we'll do it | |||
|
829 | for i in range(minlen): | |||
|
830 | msg_list[i] = msg_list[i].bytes | |||
|
831 | if self.auth is not None: | |||
|
832 | signature = msg_list[0] | |||
|
833 | if not signature: | |||
|
834 | raise ValueError("Unsigned Message") | |||
|
835 | if signature in self.digest_history: | |||
|
836 | raise ValueError("Duplicate Signature: %r" % signature) | |||
|
837 | self._add_digest(signature) | |||
|
838 | check = self.sign(msg_list[1:5]) | |||
|
839 | if not compare_digest(signature, check): | |||
|
840 | raise ValueError("Invalid Signature: %r" % signature) | |||
|
841 | if not len(msg_list) >= minlen: | |||
|
842 | raise TypeError("malformed message, must have at least %i elements"%minlen) | |||
|
843 | header = self.unpack(msg_list[1]) | |||
|
844 | message['header'] = extract_dates(header) | |||
|
845 | message['msg_id'] = header['msg_id'] | |||
|
846 | message['msg_type'] = header['msg_type'] | |||
|
847 | message['parent_header'] = extract_dates(self.unpack(msg_list[2])) | |||
|
848 | message['metadata'] = self.unpack(msg_list[3]) | |||
|
849 | if content: | |||
|
850 | message['content'] = self.unpack(msg_list[4]) | |||
|
851 | else: | |||
|
852 | message['content'] = msg_list[4] | |||
|
853 | buffers = [memoryview(b) for b in msg_list[5:]] | |||
|
854 | if buffers and buffers[0].shape is None: | |||
|
855 | # force copy to workaround pyzmq #646 | |||
|
856 | buffers = [memoryview(b.bytes) for b in msg_list[5:]] | |||
|
857 | message['buffers'] = buffers | |||
|
858 | # adapt to the current version | |||
|
859 | return adapt(message) | |||
|
860 | ||||
|
861 | def unserialize(self, *args, **kwargs): | |||
|
862 | warnings.warn( | |||
|
863 | "Session.unserialize is deprecated. Use Session.deserialize.", | |||
|
864 | DeprecationWarning, | |||
|
865 | ) | |||
|
866 | return self.deserialize(*args, **kwargs) | |||
|
867 | ||||
|
868 | ||||
|
869 | def test_msg2obj(): | |||
|
870 | am = dict(x=1) | |||
|
871 | ao = Message(am) | |||
|
872 | assert ao.x == am['x'] | |||
|
873 | ||||
|
874 | am['y'] = dict(z=1) | |||
|
875 | ao = Message(am) | |||
|
876 | assert ao.y.z == am['y']['z'] | |||
|
877 | ||||
|
878 | k1, k2 = 'y', 'z' | |||
|
879 | assert ao[k1][k2] == am[k1][k2] | |||
|
880 | ||||
|
881 | am2 = dict(ao) | |||
|
882 | assert am['x'] == am2['x'] | |||
|
883 | assert am['y']['z'] == am2['y']['z'] |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.threaded import * |
@@ -0,0 +1,1 b'' | |||||
|
1 | from .connect import * No newline at end of file |
@@ -0,0 +1,3 b'' | |||||
|
1 | if __name__ == '__main__': | |||
|
2 | from ipython_kernel.zmq import kernelapp as app | |||
|
3 | app.launch_new_instance() |
This diff has been collapsed as it changes many lines, (576 lines changed) Show them Hide them | |||||
@@ -0,0 +1,576 b'' | |||||
|
1 | """Utilities for connecting to kernels | |||
|
2 | ||||
|
3 | The :class:`ConnectionFileMixin` class in this module encapsulates the logic | |||
|
4 | related to writing and reading connections files. | |||
|
5 | """ | |||
|
6 | # Copyright (c) IPython Development Team. | |||
|
7 | # Distributed under the terms of the Modified BSD License. | |||
|
8 | ||||
|
9 | #----------------------------------------------------------------------------- | |||
|
10 | # Imports | |||
|
11 | #----------------------------------------------------------------------------- | |||
|
12 | ||||
|
13 | from __future__ import absolute_import | |||
|
14 | ||||
|
15 | import glob | |||
|
16 | import json | |||
|
17 | import os | |||
|
18 | import socket | |||
|
19 | import sys | |||
|
20 | from getpass import getpass | |||
|
21 | from subprocess import Popen, PIPE | |||
|
22 | import tempfile | |||
|
23 | ||||
|
24 | import zmq | |||
|
25 | ||||
|
26 | # IPython imports | |||
|
27 | from IPython.config import LoggingConfigurable | |||
|
28 | from IPython.core.profiledir import ProfileDir | |||
|
29 | from IPython.utils.localinterfaces import localhost | |||
|
30 | from IPython.utils.path import filefind, get_ipython_dir | |||
|
31 | from IPython.utils.py3compat import (str_to_bytes, bytes_to_str, cast_bytes_py2, | |||
|
32 | string_types) | |||
|
33 | from IPython.utils.traitlets import ( | |||
|
34 | Bool, Integer, Unicode, CaselessStrEnum, Instance, | |||
|
35 | ) | |||
|
36 | ||||
|
37 | ||||
|
38 | #----------------------------------------------------------------------------- | |||
|
39 | # Working with Connection Files | |||
|
40 | #----------------------------------------------------------------------------- | |||
|
41 | ||||
|
42 | def write_connection_file(fname=None, shell_port=0, iopub_port=0, stdin_port=0, hb_port=0, | |||
|
43 | control_port=0, ip='', key=b'', transport='tcp', | |||
|
44 | signature_scheme='hmac-sha256', | |||
|
45 | ): | |||
|
46 | """Generates a JSON config file, including the selection of random ports. | |||
|
47 | ||||
|
48 | Parameters | |||
|
49 | ---------- | |||
|
50 | ||||
|
51 | fname : unicode | |||
|
52 | The path to the file to write | |||
|
53 | ||||
|
54 | shell_port : int, optional | |||
|
55 | The port to use for ROUTER (shell) channel. | |||
|
56 | ||||
|
57 | iopub_port : int, optional | |||
|
58 | The port to use for the SUB channel. | |||
|
59 | ||||
|
60 | stdin_port : int, optional | |||
|
61 | The port to use for the ROUTER (raw input) channel. | |||
|
62 | ||||
|
63 | control_port : int, optional | |||
|
64 | The port to use for the ROUTER (control) channel. | |||
|
65 | ||||
|
66 | hb_port : int, optional | |||
|
67 | The port to use for the heartbeat REP channel. | |||
|
68 | ||||
|
69 | ip : str, optional | |||
|
70 | The ip address the kernel will bind to. | |||
|
71 | ||||
|
72 | key : str, optional | |||
|
73 | The Session key used for message authentication. | |||
|
74 | ||||
|
75 | signature_scheme : str, optional | |||
|
76 | The scheme used for message authentication. | |||
|
77 | This has the form 'digest-hash', where 'digest' | |||
|
78 | is the scheme used for digests, and 'hash' is the name of the hash function | |||
|
79 | used by the digest scheme. | |||
|
80 | Currently, 'hmac' is the only supported digest scheme, | |||
|
81 | and 'sha256' is the default hash function. | |||
|
82 | ||||
|
83 | """ | |||
|
84 | if not ip: | |||
|
85 | ip = localhost() | |||
|
86 | # default to temporary connector file | |||
|
87 | if not fname: | |||
|
88 | fd, fname = tempfile.mkstemp('.json') | |||
|
89 | os.close(fd) | |||
|
90 | ||||
|
91 | # Find open ports as necessary. | |||
|
92 | ||||
|
93 | ports = [] | |||
|
94 | ports_needed = int(shell_port <= 0) + \ | |||
|
95 | int(iopub_port <= 0) + \ | |||
|
96 | int(stdin_port <= 0) + \ | |||
|
97 | int(control_port <= 0) + \ | |||
|
98 | int(hb_port <= 0) | |||
|
99 | if transport == 'tcp': | |||
|
100 | for i in range(ports_needed): | |||
|
101 | sock = socket.socket() | |||
|
102 | # struct.pack('ii', (0,0)) is 8 null bytes | |||
|
103 | sock.setsockopt(socket.SOL_SOCKET, socket.SO_LINGER, b'\0' * 8) | |||
|
104 | sock.bind(('', 0)) | |||
|
105 | ports.append(sock) | |||
|
106 | for i, sock in enumerate(ports): | |||
|
107 | port = sock.getsockname()[1] | |||
|
108 | sock.close() | |||
|
109 | ports[i] = port | |||
|
110 | else: | |||
|
111 | N = 1 | |||
|
112 | for i in range(ports_needed): | |||
|
113 | while os.path.exists("%s-%s" % (ip, str(N))): | |||
|
114 | N += 1 | |||
|
115 | ports.append(N) | |||
|
116 | N += 1 | |||
|
117 | if shell_port <= 0: | |||
|
118 | shell_port = ports.pop(0) | |||
|
119 | if iopub_port <= 0: | |||
|
120 | iopub_port = ports.pop(0) | |||
|
121 | if stdin_port <= 0: | |||
|
122 | stdin_port = ports.pop(0) | |||
|
123 | if control_port <= 0: | |||
|
124 | control_port = ports.pop(0) | |||
|
125 | if hb_port <= 0: | |||
|
126 | hb_port = ports.pop(0) | |||
|
127 | ||||
|
128 | cfg = dict( shell_port=shell_port, | |||
|
129 | iopub_port=iopub_port, | |||
|
130 | stdin_port=stdin_port, | |||
|
131 | control_port=control_port, | |||
|
132 | hb_port=hb_port, | |||
|
133 | ) | |||
|
134 | cfg['ip'] = ip | |||
|
135 | cfg['key'] = bytes_to_str(key) | |||
|
136 | cfg['transport'] = transport | |||
|
137 | cfg['signature_scheme'] = signature_scheme | |||
|
138 | ||||
|
139 | with open(fname, 'w') as f: | |||
|
140 | f.write(json.dumps(cfg, indent=2)) | |||
|
141 | ||||
|
142 | return fname, cfg | |||
|
143 | ||||
|
144 | ||||
|
145 | def get_connection_file(app=None): | |||
|
146 | """Return the path to the connection file of an app | |||
|
147 | ||||
|
148 | Parameters | |||
|
149 | ---------- | |||
|
150 | app : IPKernelApp instance [optional] | |||
|
151 | If unspecified, the currently running app will be used | |||
|
152 | """ | |||
|
153 | if app is None: | |||
|
154 | from jupyter_client.kernelapp import IPKernelApp | |||
|
155 | if not IPKernelApp.initialized(): | |||
|
156 | raise RuntimeError("app not specified, and not in a running Kernel") | |||
|
157 | ||||
|
158 | app = IPKernelApp.instance() | |||
|
159 | return filefind(app.connection_file, ['.', app.profile_dir.security_dir]) | |||
|
160 | ||||
|
161 | ||||
|
162 | def find_connection_file(filename='kernel-*.json', profile=None): | |||
|
163 | """find a connection file, and return its absolute path. | |||
|
164 | ||||
|
165 | The current working directory and the profile's security | |||
|
166 | directory will be searched for the file if it is not given by | |||
|
167 | absolute path. | |||
|
168 | ||||
|
169 | If profile is unspecified, then the current running application's | |||
|
170 | profile will be used, or 'default', if not run from IPython. | |||
|
171 | ||||
|
172 | If the argument does not match an existing file, it will be interpreted as a | |||
|
173 | fileglob, and the matching file in the profile's security dir with | |||
|
174 | the latest access time will be used. | |||
|
175 | ||||
|
176 | Parameters | |||
|
177 | ---------- | |||
|
178 | filename : str | |||
|
179 | The connection file or fileglob to search for. | |||
|
180 | profile : str [optional] | |||
|
181 | The name of the profile to use when searching for the connection file, | |||
|
182 | if different from the current IPython session or 'default'. | |||
|
183 | ||||
|
184 | Returns | |||
|
185 | ------- | |||
|
186 | str : The absolute path of the connection file. | |||
|
187 | """ | |||
|
188 | from IPython.core.application import BaseIPythonApplication as IPApp | |||
|
189 | try: | |||
|
190 | # quick check for absolute path, before going through logic | |||
|
191 | return filefind(filename) | |||
|
192 | except IOError: | |||
|
193 | pass | |||
|
194 | ||||
|
195 | if profile is None: | |||
|
196 | # profile unspecified, check if running from an IPython app | |||
|
197 | if IPApp.initialized(): | |||
|
198 | app = IPApp.instance() | |||
|
199 | profile_dir = app.profile_dir | |||
|
200 | else: | |||
|
201 | # not running in IPython, use default profile | |||
|
202 | profile_dir = ProfileDir.find_profile_dir_by_name(get_ipython_dir(), 'default') | |||
|
203 | else: | |||
|
204 | # find profiledir by profile name: | |||
|
205 | profile_dir = ProfileDir.find_profile_dir_by_name(get_ipython_dir(), profile) | |||
|
206 | security_dir = profile_dir.security_dir | |||
|
207 | ||||
|
208 | try: | |||
|
209 | # first, try explicit name | |||
|
210 | return filefind(filename, ['.', security_dir]) | |||
|
211 | except IOError: | |||
|
212 | pass | |||
|
213 | ||||
|
214 | # not found by full name | |||
|
215 | ||||
|
216 | if '*' in filename: | |||
|
217 | # given as a glob already | |||
|
218 | pat = filename | |||
|
219 | else: | |||
|
220 | # accept any substring match | |||
|
221 | pat = '*%s*' % filename | |||
|
222 | matches = glob.glob( os.path.join(security_dir, pat) ) | |||
|
223 | if not matches: | |||
|
224 | raise IOError("Could not find %r in %r" % (filename, security_dir)) | |||
|
225 | elif len(matches) == 1: | |||
|
226 | return matches[0] | |||
|
227 | else: | |||
|
228 | # get most recent match, by access time: | |||
|
229 | return sorted(matches, key=lambda f: os.stat(f).st_atime)[-1] | |||
|
230 | ||||
|
231 | ||||
|
232 | def get_connection_info(connection_file=None, unpack=False, profile=None): | |||
|
233 | """Return the connection information for the current Kernel. | |||
|
234 | ||||
|
235 | Parameters | |||
|
236 | ---------- | |||
|
237 | connection_file : str [optional] | |||
|
238 | The connection file to be used. Can be given by absolute path, or | |||
|
239 | IPython will search in the security directory of a given profile. | |||
|
240 | If run from IPython, | |||
|
241 | ||||
|
242 | If unspecified, the connection file for the currently running | |||
|
243 | IPython Kernel will be used, which is only allowed from inside a kernel. | |||
|
244 | unpack : bool [default: False] | |||
|
245 | if True, return the unpacked dict, otherwise just the string contents | |||
|
246 | of the file. | |||
|
247 | profile : str [optional] | |||
|
248 | The name of the profile to use when searching for the connection file, | |||
|
249 | if different from the current IPython session or 'default'. | |||
|
250 | ||||
|
251 | ||||
|
252 | Returns | |||
|
253 | ------- | |||
|
254 | The connection dictionary of the current kernel, as string or dict, | |||
|
255 | depending on `unpack`. | |||
|
256 | """ | |||
|
257 | if connection_file is None: | |||
|
258 | # get connection file from current kernel | |||
|
259 | cf = get_connection_file() | |||
|
260 | else: | |||
|
261 | # connection file specified, allow shortnames: | |||
|
262 | cf = find_connection_file(connection_file, profile=profile) | |||
|
263 | ||||
|
264 | with open(cf) as f: | |||
|
265 | info = f.read() | |||
|
266 | ||||
|
267 | if unpack: | |||
|
268 | info = json.loads(info) | |||
|
269 | # ensure key is bytes: | |||
|
270 | info['key'] = str_to_bytes(info.get('key', '')) | |||
|
271 | return info | |||
|
272 | ||||
|
273 | ||||
|
274 | def connect_qtconsole(connection_file=None, argv=None, profile=None): | |||
|
275 | """Connect a qtconsole to the current kernel. | |||
|
276 | ||||
|
277 | This is useful for connecting a second qtconsole to a kernel, or to a | |||
|
278 | local notebook. | |||
|
279 | ||||
|
280 | Parameters | |||
|
281 | ---------- | |||
|
282 | connection_file : str [optional] | |||
|
283 | The connection file to be used. Can be given by absolute path, or | |||
|
284 | IPython will search in the security directory of a given profile. | |||
|
285 | If run from IPython, | |||
|
286 | ||||
|
287 | If unspecified, the connection file for the currently running | |||
|
288 | IPython Kernel will be used, which is only allowed from inside a kernel. | |||
|
289 | argv : list [optional] | |||
|
290 | Any extra args to be passed to the console. | |||
|
291 | profile : str [optional] | |||
|
292 | The name of the profile to use when searching for the connection file, | |||
|
293 | if different from the current IPython session or 'default'. | |||
|
294 | ||||
|
295 | ||||
|
296 | Returns | |||
|
297 | ------- | |||
|
298 | :class:`subprocess.Popen` instance running the qtconsole frontend | |||
|
299 | """ | |||
|
300 | argv = [] if argv is None else argv | |||
|
301 | ||||
|
302 | if connection_file is None: | |||
|
303 | # get connection file from current kernel | |||
|
304 | cf = get_connection_file() | |||
|
305 | else: | |||
|
306 | cf = find_connection_file(connection_file, profile=profile) | |||
|
307 | ||||
|
308 | cmd = ';'.join([ | |||
|
309 | "from IPython.qt.console import qtconsoleapp", | |||
|
310 | "qtconsoleapp.main()" | |||
|
311 | ]) | |||
|
312 | ||||
|
313 | return Popen([sys.executable, '-c', cmd, '--existing', cf] + argv, | |||
|
314 | stdout=PIPE, stderr=PIPE, close_fds=(sys.platform != 'win32'), | |||
|
315 | ) | |||
|
316 | ||||
|
317 | ||||
|
318 | def tunnel_to_kernel(connection_info, sshserver, sshkey=None): | |||
|
319 | """tunnel connections to a kernel via ssh | |||
|
320 | ||||
|
321 | This will open four SSH tunnels from localhost on this machine to the | |||
|
322 | ports associated with the kernel. They can be either direct | |||
|
323 | localhost-localhost tunnels, or if an intermediate server is necessary, | |||
|
324 | the kernel must be listening on a public IP. | |||
|
325 | ||||
|
326 | Parameters | |||
|
327 | ---------- | |||
|
328 | connection_info : dict or str (path) | |||
|
329 | Either a connection dict, or the path to a JSON connection file | |||
|
330 | sshserver : str | |||
|
331 | The ssh sever to use to tunnel to the kernel. Can be a full | |||
|
332 | `user@server:port` string. ssh config aliases are respected. | |||
|
333 | sshkey : str [optional] | |||
|
334 | Path to file containing ssh key to use for authentication. | |||
|
335 | Only necessary if your ssh config does not already associate | |||
|
336 | a keyfile with the host. | |||
|
337 | ||||
|
338 | Returns | |||
|
339 | ------- | |||
|
340 | ||||
|
341 | (shell, iopub, stdin, hb) : ints | |||
|
342 | The four ports on localhost that have been forwarded to the kernel. | |||
|
343 | """ | |||
|
344 | from zmq.ssh import tunnel | |||
|
345 | if isinstance(connection_info, string_types): | |||
|
346 | # it's a path, unpack it | |||
|
347 | with open(connection_info) as f: | |||
|
348 | connection_info = json.loads(f.read()) | |||
|
349 | ||||
|
350 | cf = connection_info | |||
|
351 | ||||
|
352 | lports = tunnel.select_random_ports(4) | |||
|
353 | rports = cf['shell_port'], cf['iopub_port'], cf['stdin_port'], cf['hb_port'] | |||
|
354 | ||||
|
355 | remote_ip = cf['ip'] | |||
|
356 | ||||
|
357 | if tunnel.try_passwordless_ssh(sshserver, sshkey): | |||
|
358 | password=False | |||
|
359 | else: | |||
|
360 | password = getpass("SSH Password for %s: " % cast_bytes_py2(sshserver)) | |||
|
361 | ||||
|
362 | for lp,rp in zip(lports, rports): | |||
|
363 | tunnel.ssh_tunnel(lp, rp, sshserver, remote_ip, sshkey, password) | |||
|
364 | ||||
|
365 | return tuple(lports) | |||
|
366 | ||||
|
367 | ||||
|
368 | #----------------------------------------------------------------------------- | |||
|
369 | # Mixin for classes that work with connection files | |||
|
370 | #----------------------------------------------------------------------------- | |||
|
371 | ||||
|
372 | channel_socket_types = { | |||
|
373 | 'hb' : zmq.REQ, | |||
|
374 | 'shell' : zmq.DEALER, | |||
|
375 | 'iopub' : zmq.SUB, | |||
|
376 | 'stdin' : zmq.DEALER, | |||
|
377 | 'control': zmq.DEALER, | |||
|
378 | } | |||
|
379 | ||||
|
380 | port_names = [ "%s_port" % channel for channel in ('shell', 'stdin', 'iopub', 'hb', 'control')] | |||
|
381 | ||||
|
382 | class ConnectionFileMixin(LoggingConfigurable): | |||
|
383 | """Mixin for configurable classes that work with connection files""" | |||
|
384 | ||||
|
385 | # The addresses for the communication channels | |||
|
386 | connection_file = Unicode('', config=True, | |||
|
387 | help="""JSON file in which to store connection info [default: kernel-<pid>.json] | |||
|
388 | ||||
|
389 | This file will contain the IP, ports, and authentication key needed to connect | |||
|
390 | clients to this kernel. By default, this file will be created in the security dir | |||
|
391 | of the current profile, but can be specified by absolute path. | |||
|
392 | """) | |||
|
393 | _connection_file_written = Bool(False) | |||
|
394 | ||||
|
395 | transport = CaselessStrEnum(['tcp', 'ipc'], default_value='tcp', config=True) | |||
|
396 | ||||
|
397 | ip = Unicode(config=True, | |||
|
398 | help="""Set the kernel\'s IP address [default localhost]. | |||
|
399 | If the IP address is something other than localhost, then | |||
|
400 | Consoles on other machines will be able to connect | |||
|
401 | to the Kernel, so be careful!""" | |||
|
402 | ) | |||
|
403 | ||||
|
404 | def _ip_default(self): | |||
|
405 | if self.transport == 'ipc': | |||
|
406 | if self.connection_file: | |||
|
407 | return os.path.splitext(self.connection_file)[0] + '-ipc' | |||
|
408 | else: | |||
|
409 | return 'kernel-ipc' | |||
|
410 | else: | |||
|
411 | return localhost() | |||
|
412 | ||||
|
413 | def _ip_changed(self, name, old, new): | |||
|
414 | if new == '*': | |||
|
415 | self.ip = '0.0.0.0' | |||
|
416 | ||||
|
417 | # protected traits | |||
|
418 | ||||
|
419 | hb_port = Integer(0, config=True, | |||
|
420 | help="set the heartbeat port [default: random]") | |||
|
421 | shell_port = Integer(0, config=True, | |||
|
422 | help="set the shell (ROUTER) port [default: random]") | |||
|
423 | iopub_port = Integer(0, config=True, | |||
|
424 | help="set the iopub (PUB) port [default: random]") | |||
|
425 | stdin_port = Integer(0, config=True, | |||
|
426 | help="set the stdin (ROUTER) port [default: random]") | |||
|
427 | control_port = Integer(0, config=True, | |||
|
428 | help="set the control (ROUTER) port [default: random]") | |||
|
429 | ||||
|
430 | @property | |||
|
431 | def ports(self): | |||
|
432 | return [ getattr(self, name) for name in port_names ] | |||
|
433 | ||||
|
434 | # The Session to use for communication with the kernel. | |||
|
435 | session = Instance('jupyter_client.session.Session') | |||
|
436 | def _session_default(self): | |||
|
437 | from jupyter_client.session import Session | |||
|
438 | return Session(parent=self) | |||
|
439 | ||||
|
440 | #-------------------------------------------------------------------------- | |||
|
441 | # Connection and ipc file management | |||
|
442 | #-------------------------------------------------------------------------- | |||
|
443 | ||||
|
444 | def get_connection_info(self): | |||
|
445 | """return the connection info as a dict""" | |||
|
446 | return dict( | |||
|
447 | transport=self.transport, | |||
|
448 | ip=self.ip, | |||
|
449 | shell_port=self.shell_port, | |||
|
450 | iopub_port=self.iopub_port, | |||
|
451 | stdin_port=self.stdin_port, | |||
|
452 | hb_port=self.hb_port, | |||
|
453 | control_port=self.control_port, | |||
|
454 | signature_scheme=self.session.signature_scheme, | |||
|
455 | key=self.session.key, | |||
|
456 | ) | |||
|
457 | ||||
|
458 | def cleanup_connection_file(self): | |||
|
459 | """Cleanup connection file *if we wrote it* | |||
|
460 | ||||
|
461 | Will not raise if the connection file was already removed somehow. | |||
|
462 | """ | |||
|
463 | if self._connection_file_written: | |||
|
464 | # cleanup connection files on full shutdown of kernel we started | |||
|
465 | self._connection_file_written = False | |||
|
466 | try: | |||
|
467 | os.remove(self.connection_file) | |||
|
468 | except (IOError, OSError, AttributeError): | |||
|
469 | pass | |||
|
470 | ||||
|
471 | def cleanup_ipc_files(self): | |||
|
472 | """Cleanup ipc files if we wrote them.""" | |||
|
473 | if self.transport != 'ipc': | |||
|
474 | return | |||
|
475 | for port in self.ports: | |||
|
476 | ipcfile = "%s-%i" % (self.ip, port) | |||
|
477 | try: | |||
|
478 | os.remove(ipcfile) | |||
|
479 | except (IOError, OSError): | |||
|
480 | pass | |||
|
481 | ||||
|
482 | def write_connection_file(self): | |||
|
483 | """Write connection info to JSON dict in self.connection_file.""" | |||
|
484 | if self._connection_file_written and os.path.exists(self.connection_file): | |||
|
485 | return | |||
|
486 | ||||
|
487 | self.connection_file, cfg = write_connection_file(self.connection_file, | |||
|
488 | transport=self.transport, ip=self.ip, key=self.session.key, | |||
|
489 | stdin_port=self.stdin_port, iopub_port=self.iopub_port, | |||
|
490 | shell_port=self.shell_port, hb_port=self.hb_port, | |||
|
491 | control_port=self.control_port, | |||
|
492 | signature_scheme=self.session.signature_scheme, | |||
|
493 | ) | |||
|
494 | # write_connection_file also sets default ports: | |||
|
495 | for name in port_names: | |||
|
496 | setattr(self, name, cfg[name]) | |||
|
497 | ||||
|
498 | self._connection_file_written = True | |||
|
499 | ||||
|
500 | def load_connection_file(self): | |||
|
501 | """Load connection info from JSON dict in self.connection_file.""" | |||
|
502 | self.log.debug(u"Loading connection file %s", self.connection_file) | |||
|
503 | with open(self.connection_file) as f: | |||
|
504 | cfg = json.load(f) | |||
|
505 | self.transport = cfg.get('transport', self.transport) | |||
|
506 | self.ip = cfg.get('ip', self._ip_default()) | |||
|
507 | ||||
|
508 | for name in port_names: | |||
|
509 | if getattr(self, name) == 0 and name in cfg: | |||
|
510 | # not overridden by config or cl_args | |||
|
511 | setattr(self, name, cfg[name]) | |||
|
512 | ||||
|
513 | if 'key' in cfg: | |||
|
514 | self.session.key = str_to_bytes(cfg['key']) | |||
|
515 | if 'signature_scheme' in cfg: | |||
|
516 | self.session.signature_scheme = cfg['signature_scheme'] | |||
|
517 | ||||
|
518 | #-------------------------------------------------------------------------- | |||
|
519 | # Creating connected sockets | |||
|
520 | #-------------------------------------------------------------------------- | |||
|
521 | ||||
|
522 | def _make_url(self, channel): | |||
|
523 | """Make a ZeroMQ URL for a given channel.""" | |||
|
524 | transport = self.transport | |||
|
525 | ip = self.ip | |||
|
526 | port = getattr(self, '%s_port' % channel) | |||
|
527 | ||||
|
528 | if transport == 'tcp': | |||
|
529 | return "tcp://%s:%i" % (ip, port) | |||
|
530 | else: | |||
|
531 | return "%s://%s-%s" % (transport, ip, port) | |||
|
532 | ||||
|
533 | def _create_connected_socket(self, channel, identity=None): | |||
|
534 | """Create a zmq Socket and connect it to the kernel.""" | |||
|
535 | url = self._make_url(channel) | |||
|
536 | socket_type = channel_socket_types[channel] | |||
|
537 | self.log.debug("Connecting to: %s" % url) | |||
|
538 | sock = self.context.socket(socket_type) | |||
|
539 | # set linger to 1s to prevent hangs at exit | |||
|
540 | sock.linger = 1000 | |||
|
541 | if identity: | |||
|
542 | sock.identity = identity | |||
|
543 | sock.connect(url) | |||
|
544 | return sock | |||
|
545 | ||||
|
546 | def connect_iopub(self, identity=None): | |||
|
547 | """return zmq Socket connected to the IOPub channel""" | |||
|
548 | sock = self._create_connected_socket('iopub', identity=identity) | |||
|
549 | sock.setsockopt(zmq.SUBSCRIBE, b'') | |||
|
550 | return sock | |||
|
551 | ||||
|
552 | def connect_shell(self, identity=None): | |||
|
553 | """return zmq Socket connected to the Shell channel""" | |||
|
554 | return self._create_connected_socket('shell', identity=identity) | |||
|
555 | ||||
|
556 | def connect_stdin(self, identity=None): | |||
|
557 | """return zmq Socket connected to the StdIn channel""" | |||
|
558 | return self._create_connected_socket('stdin', identity=identity) | |||
|
559 | ||||
|
560 | def connect_hb(self, identity=None): | |||
|
561 | """return zmq Socket connected to the Heartbeat channel""" | |||
|
562 | return self._create_connected_socket('hb', identity=identity) | |||
|
563 | ||||
|
564 | def connect_control(self, identity=None): | |||
|
565 | """return zmq Socket connected to the Control channel""" | |||
|
566 | return self._create_connected_socket('control', identity=identity) | |||
|
567 | ||||
|
568 | ||||
|
569 | __all__ = [ | |||
|
570 | 'write_connection_file', | |||
|
571 | 'get_connection_file', | |||
|
572 | 'find_connection_file', | |||
|
573 | 'get_connection_info', | |||
|
574 | 'connect_qtconsole', | |||
|
575 | 'tunnel_to_kernel', | |||
|
576 | ] |
@@ -0,0 +1,1 b'' | |||||
|
1 | from jupyter_client.session import * |
@@ -1,3 +1,3 b'' | |||||
1 | if __name__ == '__main__': |
|
1 | if __name__ == '__main__': | |
2 |
from |
|
2 | from ipython_kernel.zmq import kernelapp as app | |
3 | app.launch_new_instance() |
|
3 | app.launch_new_instance() |
1 | NO CONTENT: file renamed from IPython/kernel/comm/__init__.py to ipython_kernel/comm/__init__.py |
|
NO CONTENT: file renamed from IPython/kernel/comm/__init__.py to ipython_kernel/comm/__init__.py |
@@ -9,7 +9,7 b' import uuid' | |||||
9 | from zmq.eventloop.ioloop import IOLoop |
|
9 | from zmq.eventloop.ioloop import IOLoop | |
10 |
|
10 | |||
11 | from IPython.config import LoggingConfigurable |
|
11 | from IPython.config import LoggingConfigurable | |
12 |
from |
|
12 | from ipython_kernel.zmq.kernelbase import Kernel | |
13 |
|
13 | |||
14 | from IPython.utils.jsonutil import json_clean |
|
14 | from IPython.utils.jsonutil import json_clean | |
15 | from IPython.utils.traitlets import Instance, Unicode, Bytes, Bool, Dict, Any |
|
15 | from IPython.utils.traitlets import Instance, Unicode, Bytes, Bool, Dict, Any | |
@@ -20,7 +20,7 b' class Comm(LoggingConfigurable):' | |||||
20 | # If this is instantiated by a non-IPython kernel, shell will be None |
|
20 | # If this is instantiated by a non-IPython kernel, shell will be None | |
21 | shell = Instance('IPython.core.interactiveshell.InteractiveShellABC', |
|
21 | shell = Instance('IPython.core.interactiveshell.InteractiveShellABC', | |
22 | allow_none=True) |
|
22 | allow_none=True) | |
23 |
kernel = Instance(' |
|
23 | kernel = Instance('ipython_kernel.zmq.kernelbase.Kernel') | |
24 | def _kernel_default(self): |
|
24 | def _kernel_default(self): | |
25 | if Kernel.initialized(): |
|
25 | if Kernel.initialized(): | |
26 | return Kernel.instance() |
|
26 | return Kernel.instance() | |
@@ -28,7 +28,7 b' class Comm(LoggingConfigurable):' | |||||
28 | iopub_socket = Any() |
|
28 | iopub_socket = Any() | |
29 | def _iopub_socket_default(self): |
|
29 | def _iopub_socket_default(self): | |
30 | return self.kernel.iopub_socket |
|
30 | return self.kernel.iopub_socket | |
31 |
session = Instance(' |
|
31 | session = Instance('ipython_kernel.zmq.session.Session') | |
32 | def _session_default(self): |
|
32 | def _session_default(self): | |
33 | if self.kernel is not None: |
|
33 | if self.kernel is not None: | |
34 | return self.kernel.session |
|
34 | return self.kernel.session |
@@ -31,12 +31,12 b' class CommManager(LoggingConfigurable):' | |||||
31 | # If this is instantiated by a non-IPython kernel, shell will be None |
|
31 | # If this is instantiated by a non-IPython kernel, shell will be None | |
32 | shell = Instance('IPython.core.interactiveshell.InteractiveShellABC', |
|
32 | shell = Instance('IPython.core.interactiveshell.InteractiveShellABC', | |
33 | allow_none=True) |
|
33 | allow_none=True) | |
34 |
kernel = Instance(' |
|
34 | kernel = Instance('ipython_kernel.zmq.kernelbase.Kernel') | |
35 |
|
35 | |||
36 | iopub_socket = Any() |
|
36 | iopub_socket = Any() | |
37 | def _iopub_socket_default(self): |
|
37 | def _iopub_socket_default(self): | |
38 | return self.kernel.iopub_socket |
|
38 | return self.kernel.iopub_socket | |
39 |
session = Instance(' |
|
39 | session = Instance('ipython_kernel.zmq.session.Session') | |
40 | def _session_default(self): |
|
40 | def _session_default(self): | |
41 | return self.kernel.session |
|
41 | return self.kernel.session | |
42 |
|
42 |
1 | NO CONTENT: file renamed from IPython/kernel/inprocess/__init__.py to ipython_kernel/inprocess/__init__.py |
|
NO CONTENT: file renamed from IPython/kernel/inprocess/__init__.py to ipython_kernel/inprocess/__init__.py |
@@ -17,7 +17,6 b' except ImportError:' | |||||
17 | # IPython imports |
|
17 | # IPython imports | |
18 | from IPython.utils.io import raw_print |
|
18 | from IPython.utils.io import raw_print | |
19 | from IPython.utils.traitlets import Type |
|
19 | from IPython.utils.traitlets import Type | |
20 | #from IPython.kernel.blocking.channels import BlockingChannelMixin |
|
|||
21 |
|
20 | |||
22 | # Local imports |
|
21 | # Local imports | |
23 | from .channels import ( |
|
22 | from .channels import ( |
@@ -3,7 +3,7 b'' | |||||
3 | # Copyright (c) IPython Development Team. |
|
3 | # Copyright (c) IPython Development Team. | |
4 | # Distributed under the terms of the Modified BSD License. |
|
4 | # Distributed under the terms of the Modified BSD License. | |
5 |
|
5 | |||
6 |
from |
|
6 | from jupyter_client.channelsabc import HBChannelABC | |
7 |
|
7 | |||
8 | from .socket import DummySocket |
|
8 | from .socket import DummySocket | |
9 |
|
9 |
@@ -12,10 +12,10 b'' | |||||
12 | #----------------------------------------------------------------------------- |
|
12 | #----------------------------------------------------------------------------- | |
13 |
|
13 | |||
14 | # IPython imports |
|
14 | # IPython imports | |
15 |
from |
|
15 | from ipython_kernel.inprocess.socket import DummySocket | |
16 | from IPython.utils.traitlets import Type, Instance |
|
16 | from IPython.utils.traitlets import Type, Instance | |
17 |
from |
|
17 | from jupyter_client.clientabc import KernelClientABC | |
18 |
from |
|
18 | from jupyter_client.client import KernelClient | |
19 |
|
19 | |||
20 | # Local imports |
|
20 | # Local imports | |
21 | from .channels import ( |
|
21 | from .channels import ( | |
@@ -32,10 +32,10 b' class InProcessKernelClient(KernelClient):' | |||||
32 | """A client for an in-process kernel. |
|
32 | """A client for an in-process kernel. | |
33 |
|
33 | |||
34 | This class implements the interface of |
|
34 | This class implements the interface of | |
35 |
` |
|
35 | `jupyter_client.clientabc.KernelClientABC` and allows | |
36 | (asynchronous) frontends to be used seamlessly with an in-process kernel. |
|
36 | (asynchronous) frontends to be used seamlessly with an in-process kernel. | |
37 |
|
37 | |||
38 |
See ` |
|
38 | See `jupyter_client.client.KernelClient` for docstrings. | |
39 | """ |
|
39 | """ | |
40 |
|
40 | |||
41 | # The classes to use for the various channels. |
|
41 | # The classes to use for the various channels. | |
@@ -44,7 +44,7 b' class InProcessKernelClient(KernelClient):' | |||||
44 | stdin_channel_class = Type(InProcessChannel) |
|
44 | stdin_channel_class = Type(InProcessChannel) | |
45 | hb_channel_class = Type(InProcessHBChannel) |
|
45 | hb_channel_class = Type(InProcessHBChannel) | |
46 |
|
46 | |||
47 |
kernel = Instance(' |
|
47 | kernel = Instance('ipython_kernel.inprocess.ipkernel.InProcessKernel', | |
48 | allow_none=True) |
|
48 | allow_none=True) | |
49 |
|
49 | |||
50 | #-------------------------------------------------------------------------- |
|
50 | #-------------------------------------------------------------------------- |
@@ -10,8 +10,8 b' import sys' | |||||
10 | from IPython.core.interactiveshell import InteractiveShellABC |
|
10 | from IPython.core.interactiveshell import InteractiveShellABC | |
11 | from IPython.utils.jsonutil import json_clean |
|
11 | from IPython.utils.jsonutil import json_clean | |
12 | from IPython.utils.traitlets import Any, Enum, Instance, List, Type |
|
12 | from IPython.utils.traitlets import Any, Enum, Instance, List, Type | |
13 |
from |
|
13 | from ipython_kernel.zmq.ipkernel import IPythonKernel | |
14 |
from |
|
14 | from ipython_kernel.zmq.zmqshell import ZMQInteractiveShell | |
15 |
|
15 | |||
16 | from .socket import DummySocket |
|
16 | from .socket import DummySocket | |
17 |
|
17 | |||
@@ -27,7 +27,7 b' class InProcessKernel(IPythonKernel):' | |||||
27 |
|
27 | |||
28 | # The frontends connected to this kernel. |
|
28 | # The frontends connected to this kernel. | |
29 | frontends = List( |
|
29 | frontends = List( | |
30 |
Instance(' |
|
30 | Instance('ipython_kernel.inprocess.client.InProcessKernelClient', | |
31 | allow_none=True) |
|
31 | allow_none=True) | |
32 | ) |
|
32 | ) | |
33 |
|
33 | |||
@@ -121,18 +121,18 b' class InProcessKernel(IPythonKernel):' | |||||
121 | return logging.getLogger(__name__) |
|
121 | return logging.getLogger(__name__) | |
122 |
|
122 | |||
123 | def _session_default(self): |
|
123 | def _session_default(self): | |
124 |
from |
|
124 | from ipython_kernel.zmq.session import Session | |
125 | return Session(parent=self, key=b'') |
|
125 | return Session(parent=self, key=b'') | |
126 |
|
126 | |||
127 | def _shell_class_default(self): |
|
127 | def _shell_class_default(self): | |
128 | return InProcessInteractiveShell |
|
128 | return InProcessInteractiveShell | |
129 |
|
129 | |||
130 | def _stdout_default(self): |
|
130 | def _stdout_default(self): | |
131 |
from |
|
131 | from ipython_kernel.zmq.iostream import OutStream | |
132 | return OutStream(self.session, self.iopub_socket, u'stdout', pipe=False) |
|
132 | return OutStream(self.session, self.iopub_socket, u'stdout', pipe=False) | |
133 |
|
133 | |||
134 | def _stderr_default(self): |
|
134 | def _stderr_default(self): | |
135 |
from |
|
135 | from ipython_kernel.zmq.iostream import OutStream | |
136 | return OutStream(self.session, self.iopub_socket, u'stderr', pipe=False) |
|
136 | return OutStream(self.session, self.iopub_socket, u'stderr', pipe=False) | |
137 |
|
137 | |||
138 | #----------------------------------------------------------------------------- |
|
138 | #----------------------------------------------------------------------------- | |
@@ -141,7 +141,7 b' class InProcessKernel(IPythonKernel):' | |||||
141 |
|
141 | |||
142 | class InProcessInteractiveShell(ZMQInteractiveShell): |
|
142 | class InProcessInteractiveShell(ZMQInteractiveShell): | |
143 |
|
143 | |||
144 |
kernel = Instance(' |
|
144 | kernel = Instance('ipython_kernel.inprocess.ipkernel.InProcessKernel', | |
145 | allow_none=True) |
|
145 | allow_none=True) | |
146 |
|
146 | |||
147 | #------------------------------------------------------------------------- |
|
147 | #------------------------------------------------------------------------- | |
@@ -150,7 +150,7 b' class InProcessInteractiveShell(ZMQInteractiveShell):' | |||||
150 |
|
150 | |||
151 | def enable_gui(self, gui=None): |
|
151 | def enable_gui(self, gui=None): | |
152 | """Enable GUI integration for the kernel.""" |
|
152 | """Enable GUI integration for the kernel.""" | |
153 |
from |
|
153 | from ipython_kernel.zmq.eventloops import enable_gui | |
154 | if not gui: |
|
154 | if not gui: | |
155 | gui = self.kernel.gui |
|
155 | gui = self.kernel.gui | |
156 | return enable_gui(gui, kernel=self.kernel) |
|
156 | return enable_gui(gui, kernel=self.kernel) |
@@ -4,26 +4,26 b'' | |||||
4 | # Distributed under the terms of the Modified BSD License. |
|
4 | # Distributed under the terms of the Modified BSD License. | |
5 |
|
5 | |||
6 | from IPython.utils.traitlets import Instance, DottedObjectName |
|
6 | from IPython.utils.traitlets import Instance, DottedObjectName | |
7 |
from |
|
7 | from jupyter_client.managerabc import KernelManagerABC | |
8 |
from |
|
8 | from jupyter_client.manager import KernelManager | |
9 |
from |
|
9 | from jupyter_client.session import Session | |
10 |
|
10 | |||
11 |
|
11 | |||
12 | class InProcessKernelManager(KernelManager): |
|
12 | class InProcessKernelManager(KernelManager): | |
13 | """A manager for an in-process kernel. |
|
13 | """A manager for an in-process kernel. | |
14 |
|
14 | |||
15 | This class implements the interface of |
|
15 | This class implements the interface of | |
16 |
` |
|
16 | `jupyter_client.kernelmanagerabc.KernelManagerABC` and allows | |
17 | (asynchronous) frontends to be used seamlessly with an in-process kernel. |
|
17 | (asynchronous) frontends to be used seamlessly with an in-process kernel. | |
18 |
|
18 | |||
19 |
See ` |
|
19 | See `jupyter_client.kernelmanager.KernelManager` for docstrings. | |
20 | """ |
|
20 | """ | |
21 |
|
21 | |||
22 | # The kernel process with which the KernelManager is communicating. |
|
22 | # The kernel process with which the KernelManager is communicating. | |
23 |
kernel = Instance(' |
|
23 | kernel = Instance('ipython_kernel.inprocess.ipkernel.InProcessKernel', | |
24 | allow_none=True) |
|
24 | allow_none=True) | |
25 | # the client class for KM.client() shortcut |
|
25 | # the client class for KM.client() shortcut | |
26 |
client_class = DottedObjectName(' |
|
26 | client_class = DottedObjectName('ipython_kernel.inprocess.BlockingInProcessKernelClient') | |
27 |
|
27 | |||
28 | def _session_default(self): |
|
28 | def _session_default(self): | |
29 | # don't sign in-process messages |
|
29 | # don't sign in-process messages | |
@@ -34,7 +34,7 b' class InProcessKernelManager(KernelManager):' | |||||
34 | #-------------------------------------------------------------------------- |
|
34 | #-------------------------------------------------------------------------- | |
35 |
|
35 | |||
36 | def start_kernel(self, **kwds): |
|
36 | def start_kernel(self, **kwds): | |
37 |
from |
|
37 | from ipython_kernel.inprocess.ipkernel import InProcessKernel | |
38 | self.kernel = InProcessKernel(parent=self, session=self.session) |
|
38 | self.kernel = InProcessKernel(parent=self, session=self.session) | |
39 |
|
39 | |||
40 | def shutdown_kernel(self): |
|
40 | def shutdown_kernel(self): |
1 | NO CONTENT: file renamed from IPython/kernel/inprocess/socket.py to ipython_kernel/inprocess/socket.py, modified file |
|
NO CONTENT: file renamed from IPython/kernel/inprocess/socket.py to ipython_kernel/inprocess/socket.py, modified file |
1 | NO CONTENT: file renamed from IPython/kernel/inprocess/tests/__init__.py to ipython_kernel/inprocess/tests/__init__.py |
|
NO CONTENT: file renamed from IPython/kernel/inprocess/tests/__init__.py to ipython_kernel/inprocess/tests/__init__.py |
@@ -6,10 +6,10 b' from __future__ import print_function' | |||||
6 | import sys |
|
6 | import sys | |
7 | import unittest |
|
7 | import unittest | |
8 |
|
8 | |||
9 |
from |
|
9 | from ipython_kernel.inprocess.blocking import BlockingInProcessKernelClient | |
10 |
from |
|
10 | from ipython_kernel.inprocess.manager import InProcessKernelManager | |
11 |
from |
|
11 | from ipython_kernel.inprocess.ipkernel import InProcessKernel | |
12 |
from |
|
12 | from ipython_kernel.tests.utils import assemble_output | |
13 | from IPython.testing.decorators import skipif_not_matplotlib |
|
13 | from IPython.testing.decorators import skipif_not_matplotlib | |
14 | from IPython.utils.io import capture_output |
|
14 | from IPython.utils.io import capture_output | |
15 | from IPython.utils import py3compat |
|
15 | from IPython.utils import py3compat | |
@@ -66,4 +66,3 b' class InProcessKernelTestCase(unittest.TestCase):' | |||||
66 | kc.execute('print("bar")') |
|
66 | kc.execute('print("bar")') | |
67 | out, err = assemble_output(kc.iopub_channel) |
|
67 | out, err = assemble_output(kc.iopub_channel) | |
68 | self.assertEqual(out, 'bar\n') |
|
68 | self.assertEqual(out, 'bar\n') | |
69 |
|
@@ -5,8 +5,8 b' from __future__ import print_function' | |||||
5 |
|
5 | |||
6 | import unittest |
|
6 | import unittest | |
7 |
|
7 | |||
8 |
from |
|
8 | from ipython_kernel.inprocess.blocking import BlockingInProcessKernelClient | |
9 |
from |
|
9 | from ipython_kernel.inprocess.manager import InProcessKernelManager | |
10 |
|
10 | |||
11 | #----------------------------------------------------------------------------- |
|
11 | #----------------------------------------------------------------------------- | |
12 | # Test case |
|
12 | # Test case |
1 | NO CONTENT: file renamed from IPython/kernel/resources/logo-32x32.png to ipython_kernel/resources/logo-32x32.png |
|
NO CONTENT: file renamed from IPython/kernel/resources/logo-32x32.png to ipython_kernel/resources/logo-32x32.png |
1 | NO CONTENT: file renamed from IPython/kernel/resources/logo-64x64.png to ipython_kernel/resources/logo-64x64.png |
|
NO CONTENT: file renamed from IPython/kernel/resources/logo-64x64.png to ipython_kernel/resources/logo-64x64.png |
1 | NO CONTENT: file renamed from IPython/kernel/tests/__init__.py to ipython_kernel/tests/__init__.py |
|
NO CONTENT: file renamed from IPython/kernel/tests/__init__.py to ipython_kernel/tests/__init__.py |
1 | NO CONTENT: file renamed from IPython/kernel/tests/test_kernel.py to ipython_kernel/tests/test_kernel.py, modified file |
|
NO CONTENT: file renamed from IPython/kernel/tests/test_kernel.py to ipython_kernel/tests/test_kernel.py, modified file |
@@ -493,4 +493,3 b' def test_display_data():' | |||||
493 | validate_message(display, 'display_data', parent=msg_id) |
|
493 | validate_message(display, 'display_data', parent=msg_id) | |
494 | data = display['content']['data'] |
|
494 | data = display['content']['data'] | |
495 | nt.assert_equal(data['text/plain'], u'1') |
|
495 | nt.assert_equal(data['text/plain'], u'1') | |
496 |
|
@@ -4,6 +4,7 b'' | |||||
4 | # Distributed under the terms of the Modified BSD License. |
|
4 | # Distributed under the terms of the Modified BSD License. | |
5 |
|
5 | |||
6 | import atexit |
|
6 | import atexit | |
|
7 | import os | |||
7 |
|
8 | |||
8 | from contextlib import contextmanager |
|
9 | from contextlib import contextmanager | |
9 | from subprocess import PIPE, STDOUT |
|
10 | from subprocess import PIPE, STDOUT | |
@@ -15,7 +16,7 b' except ImportError:' | |||||
15 | import nose |
|
16 | import nose | |
16 | import nose.tools as nt |
|
17 | import nose.tools as nt | |
17 |
|
18 | |||
18 |
from |
|
19 | from jupyter_client import manager | |
19 |
|
20 | |||
20 | #------------------------------------------------------------------------------- |
|
21 | #------------------------------------------------------------------------------- | |
21 | # Globals |
|
22 | # Globals | |
@@ -123,7 +124,8 b' def new_kernel(argv=None):' | |||||
123 | ------- |
|
124 | ------- | |
124 | kernel_client: connected KernelClient instance |
|
125 | kernel_client: connected KernelClient instance | |
125 | """ |
|
126 | """ | |
126 | kwargs = dict(stdout=nose.iptest_stdstreams_fileno(), stderr=STDOUT, |
|
127 | kwargs = dict( | |
|
128 | stdout=nose.iptest_stdstreams_fileno(), stderr=STDOUT, | |||
127 | startup_timeout=STARTUP_TIMEOUT) |
|
129 | startup_timeout=STARTUP_TIMEOUT) | |
128 | if argv is not None: |
|
130 | if argv is not None: | |
129 | kwargs['extra_arguments'] = argv |
|
131 | kwargs['extra_arguments'] = argv |
@@ -5,7 +5,7 b'' | |||||
5 |
|
5 | |||
6 | from IPython.utils.zmqrelated import check_for_zmq |
|
6 | from IPython.utils.zmqrelated import check_for_zmq | |
7 |
|
7 | |||
8 |
check_for_zmq('13', ' |
|
8 | check_for_zmq('13', 'ipython_kernel.zmq') | |
9 |
|
||||
10 | from .session import Session |
|
|||
11 |
|
9 | |||
|
10 | from jupyter_client import session | |||
|
11 | Session = session.Session |
@@ -13,11 +13,11 b'' | |||||
13 | #----------------------------------------------------------------------------- |
|
13 | #----------------------------------------------------------------------------- | |
14 |
|
14 | |||
15 | from IPython.config import Configurable |
|
15 | from IPython.config import Configurable | |
16 |
from |
|
16 | from ipython_kernel.inprocess.socket import SocketABC | |
17 | from IPython.utils.jsonutil import json_clean |
|
17 | from IPython.utils.jsonutil import json_clean | |
18 | from IPython.utils.traitlets import Instance, Dict, CBytes |
|
18 | from IPython.utils.traitlets import Instance, Dict, CBytes | |
19 |
from |
|
19 | from ipython_kernel.zmq.serialize import serialize_object | |
20 |
from |
|
20 | from ipython_kernel.zmq.session import Session, extract_header | |
21 |
|
21 | |||
22 | #----------------------------------------------------------------------------- |
|
22 | #----------------------------------------------------------------------------- | |
23 | # Code |
|
23 | # Code | |
@@ -66,5 +66,5 b' def publish_data(data):' | |||||
66 | data : dict |
|
66 | data : dict | |
67 | The data to be published. Think of it as a namespace. |
|
67 | The data to be published. Think of it as a namespace. | |
68 | """ |
|
68 | """ | |
69 |
from |
|
69 | from ipython_kernel.zmq.zmqshell import ZMQInteractiveShell | |
70 | ZMQInteractiveShell.instance().data_pub.publish_data(data) |
|
70 | ZMQInteractiveShell.instance().data_pub.publish_data(data) |
@@ -6,7 +6,7 b'' | |||||
6 | import sys |
|
6 | import sys | |
7 |
|
7 | |||
8 | from IPython.core.displayhook import DisplayHook |
|
8 | from IPython.core.displayhook import DisplayHook | |
9 |
from |
|
9 | from ipython_kernel.inprocess.socket import SocketABC | |
10 | from IPython.utils.jsonutil import encode_images |
|
10 | from IPython.utils.jsonutil import encode_images | |
11 | from IPython.utils.py3compat import builtin_mod |
|
11 | from IPython.utils.py3compat import builtin_mod | |
12 | from IPython.utils.traitlets import Instance, Dict |
|
12 | from IPython.utils.traitlets import Instance, Dict | |
@@ -71,4 +71,3 b' class ZMQShellDisplayHook(DisplayHook):' | |||||
71 | if self.msg['content']['data']: |
|
71 | if self.msg['content']['data']: | |
72 | self.session.send(self.pub_socket, self.msg, ident=self.topic) |
|
72 | self.session.send(self.pub_socket, self.msg, ident=self.topic) | |
73 | self.msg = None |
|
73 | self.msg = None | |
74 |
|
1 | NO CONTENT: file renamed from IPython/kernel/zmq/embed.py to ipython_kernel/zmq/embed.py, modified file |
|
NO CONTENT: file renamed from IPython/kernel/zmq/embed.py to ipython_kernel/zmq/embed.py, modified file |
@@ -49,7 +49,7 b' def register_integration(*toolkitnames):' | |||||
49 | instance, arrange for the event loop to call ``kernel.do_one_iteration()`` |
|
49 | instance, arrange for the event loop to call ``kernel.do_one_iteration()`` | |
50 | at least every ``kernel._poll_interval`` seconds, and start the event loop. |
|
50 | at least every ``kernel._poll_interval`` seconds, and start the event loop. | |
51 |
|
51 | |||
52 |
:mod:` |
|
52 | :mod:`ipython_kernel.zmq.eventloops` provides and registers such functions | |
53 | for a few common event loops. |
|
53 | for a few common event loops. | |
54 | """ |
|
54 | """ | |
55 | def decorator(func): |
|
55 | def decorator(func): |
1 | NO CONTENT: file renamed from IPython/kernel/zmq/gui/__init__.py to ipython_kernel/zmq/gui/__init__.py |
|
NO CONTENT: file renamed from IPython/kernel/zmq/gui/__init__.py to ipython_kernel/zmq/gui/__init__.py |
1 | NO CONTENT: file renamed from IPython/kernel/zmq/gui/gtk3embed.py to ipython_kernel/zmq/gui/gtk3embed.py, modified file |
|
NO CONTENT: file renamed from IPython/kernel/zmq/gui/gtk3embed.py to ipython_kernel/zmq/gui/gtk3embed.py, modified file |
1 | NO CONTENT: file renamed from IPython/kernel/zmq/gui/gtkembed.py to ipython_kernel/zmq/gui/gtkembed.py, modified file |
|
NO CONTENT: file renamed from IPython/kernel/zmq/gui/gtkembed.py to ipython_kernel/zmq/gui/gtkembed.py, modified file |
1 | NO CONTENT: file renamed from IPython/kernel/zmq/heartbeat.py to ipython_kernel/zmq/heartbeat.py |
|
NO CONTENT: file renamed from IPython/kernel/zmq/heartbeat.py to ipython_kernel/zmq/heartbeat.py |
1 | NO CONTENT: file renamed from IPython/kernel/zmq/iostream.py to ipython_kernel/zmq/iostream.py, modified file |
|
NO CONTENT: file renamed from IPython/kernel/zmq/iostream.py to ipython_kernel/zmq/iostream.py, modified file |
@@ -363,6 +363,6 b' class IPythonKernel(KernelBase):' | |||||
363 | class Kernel(IPythonKernel): |
|
363 | class Kernel(IPythonKernel): | |
364 | def __init__(self, *args, **kwargs): |
|
364 | def __init__(self, *args, **kwargs): | |
365 | import warnings |
|
365 | import warnings | |
366 |
warnings.warn('Kernel is a deprecated alias of |
|
366 | warnings.warn('Kernel is a deprecated alias of ipython_kernel.zmq.ipkernel.IPythonKernel', | |
367 | DeprecationWarning) |
|
367 | DeprecationWarning) | |
368 | super(Kernel, self).__init__(*args, **kwargs) |
|
368 | super(Kernel, self).__init__(*args, **kwargs) |
@@ -28,8 +28,8 b' from IPython.utils.traitlets import (' | |||||
28 | Any, Instance, Dict, Unicode, Integer, Bool, DottedObjectName, Type, |
|
28 | Any, Instance, Dict, Unicode, Integer, Bool, DottedObjectName, Type, | |
29 | ) |
|
29 | ) | |
30 | from IPython.utils.importstring import import_item |
|
30 | from IPython.utils.importstring import import_item | |
31 |
from |
|
31 | from jupyter_client import write_connection_file | |
32 |
from |
|
32 | from ipython_kernel.connect import ConnectionFileMixin | |
33 |
|
33 | |||
34 | # local imports |
|
34 | # local imports | |
35 | from .heartbeat import Heartbeat |
|
35 | from .heartbeat import Heartbeat | |
@@ -99,8 +99,8 b' class IPKernelApp(BaseIPythonApplication, InteractiveShellApp,' | |||||
99 | flags = Dict(kernel_flags) |
|
99 | flags = Dict(kernel_flags) | |
100 | classes = [IPythonKernel, ZMQInteractiveShell, ProfileDir, Session] |
|
100 | classes = [IPythonKernel, ZMQInteractiveShell, ProfileDir, Session] | |
101 | # the kernel class, as an importstring |
|
101 | # the kernel class, as an importstring | |
102 |
kernel_class = Type(' |
|
102 | kernel_class = Type('ipython_kernel.zmq.ipkernel.IPythonKernel', config=True, | |
103 |
klass=' |
|
103 | klass='ipython_kernel.zmq.kernelbase.Kernel', | |
104 | help="""The Kernel subclass to be used. |
|
104 | help="""The Kernel subclass to be used. | |
105 |
|
105 | |||
106 | This should allow easy re-use of the IPKernelApp entry point |
|
106 | This should allow easy re-use of the IPKernelApp entry point | |
@@ -124,9 +124,9 b' class IPKernelApp(BaseIPythonApplication, InteractiveShellApp,' | |||||
124 | # streams, etc. |
|
124 | # streams, etc. | |
125 | no_stdout = Bool(False, config=True, help="redirect stdout to the null device") |
|
125 | no_stdout = Bool(False, config=True, help="redirect stdout to the null device") | |
126 | no_stderr = Bool(False, config=True, help="redirect stderr to the null device") |
|
126 | no_stderr = Bool(False, config=True, help="redirect stderr to the null device") | |
127 |
outstream_class = DottedObjectName(' |
|
127 | outstream_class = DottedObjectName('ipython_kernel.zmq.iostream.OutStream', | |
128 | config=True, help="The importstring for the OutStream factory") |
|
128 | config=True, help="The importstring for the OutStream factory") | |
129 |
displayhook_class = DottedObjectName(' |
|
129 | displayhook_class = DottedObjectName('ipython_kernel.zmq.displayhook.ZMQDisplayHook', | |
130 | config=True, help="The importstring for the DisplayHook factory") |
|
130 | config=True, help="The importstring for the DisplayHook factory") | |
131 |
|
131 | |||
132 | # polling |
|
132 | # polling |
@@ -324,7 +324,7 b' class Kernel(SingletonConfigurable):' | |||||
324 | buffers=None, track=False, header=None, metadata=None): |
|
324 | buffers=None, track=False, header=None, metadata=None): | |
325 | """Send a response to the message we're currently processing. |
|
325 | """Send a response to the message we're currently processing. | |
326 |
|
326 | |||
327 |
This accepts all the parameters of :meth:` |
|
327 | This accepts all the parameters of :meth:`ipython_kernel.zmq.session.Session.send` | |
328 | except ``parent``. |
|
328 | except ``parent``. | |
329 |
|
329 | |||
330 | This relies on :meth:`set_parent` having been called for the current |
|
330 | This relies on :meth:`set_parent` having been called for the current |
@@ -18,4 +18,3 b' class EnginePUBHandler(PUBHandler):' | |||||
18 | return "engine.%i"%self.engine.id |
|
18 | return "engine.%i"%self.engine.id | |
19 | else: |
|
19 | else: | |
20 | return "engine" |
|
20 | return "engine" | |
21 |
|
1 | NO CONTENT: file renamed from IPython/kernel/zmq/parentpoller.py to ipython_kernel/zmq/parentpoller.py |
|
NO CONTENT: file renamed from IPython/kernel/zmq/parentpoller.py to ipython_kernel/zmq/parentpoller.py |
1 | NO CONTENT: file renamed from IPython/kernel/zmq/pylab/__init__.py to ipython_kernel/zmq/pylab/__init__.py |
|
NO CONTENT: file renamed from IPython/kernel/zmq/pylab/__init__.py to ipython_kernel/zmq/pylab/__init__.py |
@@ -139,4 +139,3 b' def flush_figures():' | |||||
139 | # figurecanvas. This is set here to a Agg canvas |
|
139 | # figurecanvas. This is set here to a Agg canvas | |
140 | # See https://github.com/matplotlib/matplotlib/pull/1125 |
|
140 | # See https://github.com/matplotlib/matplotlib/pull/1125 | |
141 | FigureCanvas = FigureCanvasAgg |
|
141 | FigureCanvas = FigureCanvasAgg | |
142 |
|
@@ -117,4 +117,3 b' class InlineBackend(InlineBackendConfig):' | |||||
117 | shell = Instance('IPython.core.interactiveshell.InteractiveShellABC', |
|
117 | shell = Instance('IPython.core.interactiveshell.InteractiveShellABC', | |
118 | allow_none=True) |
|
118 | allow_none=True) | |
119 |
|
119 | |||
120 |
|
@@ -17,7 +17,7 b' from IPython.utils.pickleutil import (' | |||||
17 | can, uncan, can_sequence, uncan_sequence, CannedObject, |
|
17 | can, uncan, can_sequence, uncan_sequence, CannedObject, | |
18 | istype, sequence_types, PICKLE_PROTOCOL, |
|
18 | istype, sequence_types, PICKLE_PROTOCOL, | |
19 | ) |
|
19 | ) | |
20 | from .session import MAX_ITEMS, MAX_BYTES |
|
20 | from jupyter_client.session import MAX_ITEMS, MAX_BYTES | |
21 |
|
21 | |||
22 |
|
22 | |||
23 | if PY3: |
|
23 | if PY3: | |
@@ -177,4 +177,3 b' def unpack_apply_message(bufs, g=None, copy=True):' | |||||
177 | assert not kwarg_bufs, "Shouldn't be any kwarg bufs left over" |
|
177 | assert not kwarg_bufs, "Shouldn't be any kwarg bufs left over" | |
178 |
|
178 | |||
179 | return f,args,kwargs |
|
179 | return f,args,kwargs | |
180 |
|
1 | NO CONTENT: file renamed from IPython/kernel/zmq/tests/__init__.py to ipython_kernel/zmq/tests/__init__.py |
|
NO CONTENT: file renamed from IPython/kernel/zmq/tests/__init__.py to ipython_kernel/zmq/tests/__init__.py |
@@ -22,7 +22,7 b' from subprocess import Popen, PIPE' | |||||
22 |
|
22 | |||
23 | import nose.tools as nt |
|
23 | import nose.tools as nt | |
24 |
|
24 | |||
25 |
from |
|
25 | from jupyter_client import BlockingKernelClient | |
26 | from IPython.utils import path, py3compat |
|
26 | from IPython.utils import path, py3compat | |
27 | from IPython.utils.py3compat import unicode_type |
|
27 | from IPython.utils.py3compat import unicode_type | |
28 |
|
28 | |||
@@ -195,5 +195,3 b' def test_embed_kernel_reentrant():' | |||||
195 | client.execute("get_ipython().exit_now = True") |
|
195 | client.execute("get_ipython().exit_now = True") | |
196 | msg = client.get_shell_msg(block=True, timeout=TIMEOUT) |
|
196 | msg = client.get_shell_msg(block=True, timeout=TIMEOUT) | |
197 | time.sleep(0.2) |
|
197 | time.sleep(0.2) | |
198 |
|
||||
199 |
|
@@ -9,7 +9,7 b' from collections import namedtuple' | |||||
9 | import nose.tools as nt |
|
9 | import nose.tools as nt | |
10 |
|
10 | |||
11 | # from unittest import TestCaes |
|
11 | # from unittest import TestCaes | |
12 |
from |
|
12 | from ipython_kernel.zmq.serialize import serialize_object, deserialize_object | |
13 | from IPython.testing import decorators as dec |
|
13 | from IPython.testing import decorators as dec | |
14 | from IPython.utils.pickleutil import CannedArray, CannedClass |
|
14 | from IPython.utils.pickleutil import CannedArray, CannedClass | |
15 | from IPython.utils.py3compat import iteritems |
|
15 | from IPython.utils.py3compat import iteritems |
1 | NO CONTENT: file renamed from IPython/kernel/zmq/tests/test_start_kernel.py to ipython_kernel/zmq/tests/test_start_kernel.py |
|
NO CONTENT: file renamed from IPython/kernel/zmq/tests/test_start_kernel.py to ipython_kernel/zmq/tests/test_start_kernel.py |
@@ -34,8 +34,8 b' from IPython.core.magic import magics_class, line_magic, Magics' | |||||
34 | from IPython.core import payloadpage |
|
34 | from IPython.core import payloadpage | |
35 | from IPython.core.usage import default_gui_banner |
|
35 | from IPython.core.usage import default_gui_banner | |
36 | from IPython.display import display, Javascript |
|
36 | from IPython.display import display, Javascript | |
37 |
from |
|
37 | from ipython_kernel.inprocess.socket import SocketABC | |
38 |
from |
|
38 | from ipython_kernel import ( | |
39 | get_connection_file, get_connection_info, connect_qtconsole |
|
39 | get_connection_file, get_connection_info, connect_qtconsole | |
40 | ) |
|
40 | ) | |
41 | from IPython.testing.skipdoctest import skip_doctest |
|
41 | from IPython.testing.skipdoctest import skip_doctest | |
@@ -46,9 +46,9 b' from IPython.utils import py3compat' | |||||
46 | from IPython.utils.py3compat import unicode_type |
|
46 | from IPython.utils.py3compat import unicode_type | |
47 | from IPython.utils.traitlets import Instance, Type, Dict, CBool, CBytes, Any |
|
47 | from IPython.utils.traitlets import Instance, Type, Dict, CBool, CBytes, Any | |
48 | from IPython.utils.warn import error |
|
48 | from IPython.utils.warn import error | |
49 |
from |
|
49 | from ipython_kernel.zmq.displayhook import ZMQShellDisplayHook | |
50 |
from |
|
50 | from ipython_kernel.zmq.datapub import ZMQDataPublisher | |
51 |
from |
|
51 | from ipython_kernel.zmq.session import extract_header | |
52 | from .session import Session |
|
52 | from .session import Session | |
53 |
|
53 | |||
54 | #----------------------------------------------------------------------------- |
|
54 | #----------------------------------------------------------------------------- |
General Comments 0
You need to be logged in to leave comments.
Login now