##// END OF EJS Templates
signature_scheme lives in Session...
MinRK -
Show More
@@ -1,557 +1,557 b''
1 """Utilities for connecting to kernels
1 """Utilities for connecting to kernels
2
2
3 Authors:
3 Authors:
4
4
5 * Min Ragan-Kelley
5 * Min Ragan-Kelley
6
6
7 """
7 """
8
8
9 #-----------------------------------------------------------------------------
9 #-----------------------------------------------------------------------------
10 # Copyright (C) 2013 The IPython Development Team
10 # Copyright (C) 2013 The IPython Development Team
11 #
11 #
12 # Distributed under the terms of the BSD License. The full license is in
12 # Distributed under the terms of the BSD License. The full license is in
13 # the file COPYING, distributed as part of this software.
13 # the file COPYING, distributed as part of this software.
14 #-----------------------------------------------------------------------------
14 #-----------------------------------------------------------------------------
15
15
16 #-----------------------------------------------------------------------------
16 #-----------------------------------------------------------------------------
17 # Imports
17 # Imports
18 #-----------------------------------------------------------------------------
18 #-----------------------------------------------------------------------------
19
19
20 from __future__ import absolute_import
20 from __future__ import absolute_import
21
21
22 import glob
22 import glob
23 import json
23 import json
24 import os
24 import os
25 import socket
25 import socket
26 import sys
26 import sys
27 from getpass import getpass
27 from getpass import getpass
28 from subprocess import Popen, PIPE
28 from subprocess import Popen, PIPE
29 import tempfile
29 import tempfile
30
30
31 import zmq
31 import zmq
32
32
33 # external imports
33 # external imports
34 from IPython.external.ssh import tunnel
34 from IPython.external.ssh import tunnel
35
35
36 # IPython imports
36 # IPython imports
37 # from IPython.config import Configurable
37 # from IPython.config import Configurable
38 from IPython.core.profiledir import ProfileDir
38 from IPython.core.profiledir import ProfileDir
39 from IPython.utils.localinterfaces import LOCALHOST
39 from IPython.utils.localinterfaces import LOCALHOST
40 from IPython.utils.path import filefind, get_ipython_dir
40 from IPython.utils.path import filefind, get_ipython_dir
41 from IPython.utils.py3compat import str_to_bytes, bytes_to_str
41 from IPython.utils.py3compat import str_to_bytes, bytes_to_str
42 from IPython.utils.traitlets import (
42 from IPython.utils.traitlets import (
43 Bool, Integer, Unicode, CaselessStrEnum,
43 Bool, Integer, Unicode, CaselessStrEnum,
44 HasTraits,
44 HasTraits,
45 )
45 )
46
46
47
47
48 #-----------------------------------------------------------------------------
48 #-----------------------------------------------------------------------------
49 # Working with Connection Files
49 # Working with Connection Files
50 #-----------------------------------------------------------------------------
50 #-----------------------------------------------------------------------------
51
51
52 def write_connection_file(fname=None, shell_port=0, iopub_port=0, stdin_port=0, hb_port=0,
52 def write_connection_file(fname=None, shell_port=0, iopub_port=0, stdin_port=0, hb_port=0,
53 control_port=0, ip=LOCALHOST, key=b'', transport='tcp',
53 control_port=0, ip=LOCALHOST, key=b'', transport='tcp',
54 signature_scheme='hmac-sha256',
54 signature_scheme='hmac-sha256',
55 ):
55 ):
56 """Generates a JSON config file, including the selection of random ports.
56 """Generates a JSON config file, including the selection of random ports.
57
57
58 Parameters
58 Parameters
59 ----------
59 ----------
60
60
61 fname : unicode
61 fname : unicode
62 The path to the file to write
62 The path to the file to write
63
63
64 shell_port : int, optional
64 shell_port : int, optional
65 The port to use for ROUTER (shell) channel.
65 The port to use for ROUTER (shell) channel.
66
66
67 iopub_port : int, optional
67 iopub_port : int, optional
68 The port to use for the SUB channel.
68 The port to use for the SUB channel.
69
69
70 stdin_port : int, optional
70 stdin_port : int, optional
71 The port to use for the ROUTER (raw input) channel.
71 The port to use for the ROUTER (raw input) channel.
72
72
73 control_port : int, optional
73 control_port : int, optional
74 The port to use for the ROUTER (control) channel.
74 The port to use for the ROUTER (control) channel.
75
75
76 hb_port : int, optional
76 hb_port : int, optional
77 The port to use for the heartbeat REP channel.
77 The port to use for the heartbeat REP channel.
78
78
79 ip : str, optional
79 ip : str, optional
80 The ip address the kernel will bind to.
80 The ip address the kernel will bind to.
81
81
82 key : str, optional
82 key : str, optional
83 The Session key used for message authentication.
83 The Session key used for message authentication.
84
84
85 signature_scheme : str, optional
85 signature_scheme : str, optional
86 The scheme used for message authentication.
86 The scheme used for message authentication.
87 This has the form 'digest-hash', where 'digest'
87 This has the form 'digest-hash', where 'digest'
88 is the scheme used for digests, and 'hash' is the name of the hash function
88 is the scheme used for digests, and 'hash' is the name of the hash function
89 used by the digest scheme.
89 used by the digest scheme.
90 Currently, 'hmac' is the only supported digest scheme,
90 Currently, 'hmac' is the only supported digest scheme,
91 and 'sha256' is the default hash function.
91 and 'sha256' is the default hash function.
92
92
93 """
93 """
94 # default to temporary connector file
94 # default to temporary connector file
95 if not fname:
95 if not fname:
96 fname = tempfile.mktemp('.json')
96 fname = tempfile.mktemp('.json')
97
97
98 # Find open ports as necessary.
98 # Find open ports as necessary.
99
99
100 ports = []
100 ports = []
101 ports_needed = int(shell_port <= 0) + \
101 ports_needed = int(shell_port <= 0) + \
102 int(iopub_port <= 0) + \
102 int(iopub_port <= 0) + \
103 int(stdin_port <= 0) + \
103 int(stdin_port <= 0) + \
104 int(control_port <= 0) + \
104 int(control_port <= 0) + \
105 int(hb_port <= 0)
105 int(hb_port <= 0)
106 if transport == 'tcp':
106 if transport == 'tcp':
107 for i in range(ports_needed):
107 for i in range(ports_needed):
108 sock = socket.socket()
108 sock = socket.socket()
109 sock.bind(('', 0))
109 sock.bind(('', 0))
110 ports.append(sock)
110 ports.append(sock)
111 for i, sock in enumerate(ports):
111 for i, sock in enumerate(ports):
112 port = sock.getsockname()[1]
112 port = sock.getsockname()[1]
113 sock.close()
113 sock.close()
114 ports[i] = port
114 ports[i] = port
115 else:
115 else:
116 N = 1
116 N = 1
117 for i in range(ports_needed):
117 for i in range(ports_needed):
118 while os.path.exists("%s-%s" % (ip, str(N))):
118 while os.path.exists("%s-%s" % (ip, str(N))):
119 N += 1
119 N += 1
120 ports.append(N)
120 ports.append(N)
121 N += 1
121 N += 1
122 if shell_port <= 0:
122 if shell_port <= 0:
123 shell_port = ports.pop(0)
123 shell_port = ports.pop(0)
124 if iopub_port <= 0:
124 if iopub_port <= 0:
125 iopub_port = ports.pop(0)
125 iopub_port = ports.pop(0)
126 if stdin_port <= 0:
126 if stdin_port <= 0:
127 stdin_port = ports.pop(0)
127 stdin_port = ports.pop(0)
128 if control_port <= 0:
128 if control_port <= 0:
129 control_port = ports.pop(0)
129 control_port = ports.pop(0)
130 if hb_port <= 0:
130 if hb_port <= 0:
131 hb_port = ports.pop(0)
131 hb_port = ports.pop(0)
132
132
133 cfg = dict( shell_port=shell_port,
133 cfg = dict( shell_port=shell_port,
134 iopub_port=iopub_port,
134 iopub_port=iopub_port,
135 stdin_port=stdin_port,
135 stdin_port=stdin_port,
136 control_port=control_port,
136 control_port=control_port,
137 hb_port=hb_port,
137 hb_port=hb_port,
138 )
138 )
139 cfg['ip'] = ip
139 cfg['ip'] = ip
140 cfg['key'] = bytes_to_str(key)
140 cfg['key'] = bytes_to_str(key)
141 cfg['transport'] = transport
141 cfg['transport'] = transport
142 cfg['signature_scheme'] = signature_scheme
142 cfg['signature_scheme'] = signature_scheme
143
143
144 with open(fname, 'w') as f:
144 with open(fname, 'w') as f:
145 f.write(json.dumps(cfg, indent=2))
145 f.write(json.dumps(cfg, indent=2))
146
146
147 return fname, cfg
147 return fname, cfg
148
148
149
149
150 def get_connection_file(app=None):
150 def get_connection_file(app=None):
151 """Return the path to the connection file of an app
151 """Return the path to the connection file of an app
152
152
153 Parameters
153 Parameters
154 ----------
154 ----------
155 app : IPKernelApp instance [optional]
155 app : IPKernelApp instance [optional]
156 If unspecified, the currently running app will be used
156 If unspecified, the currently running app will be used
157 """
157 """
158 if app is None:
158 if app is None:
159 from IPython.kernel.zmq.kernelapp import IPKernelApp
159 from IPython.kernel.zmq.kernelapp import IPKernelApp
160 if not IPKernelApp.initialized():
160 if not IPKernelApp.initialized():
161 raise RuntimeError("app not specified, and not in a running Kernel")
161 raise RuntimeError("app not specified, and not in a running Kernel")
162
162
163 app = IPKernelApp.instance()
163 app = IPKernelApp.instance()
164 return filefind(app.connection_file, ['.', app.profile_dir.security_dir])
164 return filefind(app.connection_file, ['.', app.profile_dir.security_dir])
165
165
166
166
167 def find_connection_file(filename, profile=None):
167 def find_connection_file(filename, profile=None):
168 """find a connection file, and return its absolute path.
168 """find a connection file, and return its absolute path.
169
169
170 The current working directory and the profile's security
170 The current working directory and the profile's security
171 directory will be searched for the file if it is not given by
171 directory will be searched for the file if it is not given by
172 absolute path.
172 absolute path.
173
173
174 If profile is unspecified, then the current running application's
174 If profile is unspecified, then the current running application's
175 profile will be used, or 'default', if not run from IPython.
175 profile will be used, or 'default', if not run from IPython.
176
176
177 If the argument does not match an existing file, it will be interpreted as a
177 If the argument does not match an existing file, it will be interpreted as a
178 fileglob, and the matching file in the profile's security dir with
178 fileglob, and the matching file in the profile's security dir with
179 the latest access time will be used.
179 the latest access time will be used.
180
180
181 Parameters
181 Parameters
182 ----------
182 ----------
183 filename : str
183 filename : str
184 The connection file or fileglob to search for.
184 The connection file or fileglob to search for.
185 profile : str [optional]
185 profile : str [optional]
186 The name of the profile to use when searching for the connection file,
186 The name of the profile to use when searching for the connection file,
187 if different from the current IPython session or 'default'.
187 if different from the current IPython session or 'default'.
188
188
189 Returns
189 Returns
190 -------
190 -------
191 str : The absolute path of the connection file.
191 str : The absolute path of the connection file.
192 """
192 """
193 from IPython.core.application import BaseIPythonApplication as IPApp
193 from IPython.core.application import BaseIPythonApplication as IPApp
194 try:
194 try:
195 # quick check for absolute path, before going through logic
195 # quick check for absolute path, before going through logic
196 return filefind(filename)
196 return filefind(filename)
197 except IOError:
197 except IOError:
198 pass
198 pass
199
199
200 if profile is None:
200 if profile is None:
201 # profile unspecified, check if running from an IPython app
201 # profile unspecified, check if running from an IPython app
202 if IPApp.initialized():
202 if IPApp.initialized():
203 app = IPApp.instance()
203 app = IPApp.instance()
204 profile_dir = app.profile_dir
204 profile_dir = app.profile_dir
205 else:
205 else:
206 # not running in IPython, use default profile
206 # not running in IPython, use default profile
207 profile_dir = ProfileDir.find_profile_dir_by_name(get_ipython_dir(), 'default')
207 profile_dir = ProfileDir.find_profile_dir_by_name(get_ipython_dir(), 'default')
208 else:
208 else:
209 # find profiledir by profile name:
209 # find profiledir by profile name:
210 profile_dir = ProfileDir.find_profile_dir_by_name(get_ipython_dir(), profile)
210 profile_dir = ProfileDir.find_profile_dir_by_name(get_ipython_dir(), profile)
211 security_dir = profile_dir.security_dir
211 security_dir = profile_dir.security_dir
212
212
213 try:
213 try:
214 # first, try explicit name
214 # first, try explicit name
215 return filefind(filename, ['.', security_dir])
215 return filefind(filename, ['.', security_dir])
216 except IOError:
216 except IOError:
217 pass
217 pass
218
218
219 # not found by full name
219 # not found by full name
220
220
221 if '*' in filename:
221 if '*' in filename:
222 # given as a glob already
222 # given as a glob already
223 pat = filename
223 pat = filename
224 else:
224 else:
225 # accept any substring match
225 # accept any substring match
226 pat = '*%s*' % filename
226 pat = '*%s*' % filename
227 matches = glob.glob( os.path.join(security_dir, pat) )
227 matches = glob.glob( os.path.join(security_dir, pat) )
228 if not matches:
228 if not matches:
229 raise IOError("Could not find %r in %r" % (filename, security_dir))
229 raise IOError("Could not find %r in %r" % (filename, security_dir))
230 elif len(matches) == 1:
230 elif len(matches) == 1:
231 return matches[0]
231 return matches[0]
232 else:
232 else:
233 # get most recent match, by access time:
233 # get most recent match, by access time:
234 return sorted(matches, key=lambda f: os.stat(f).st_atime)[-1]
234 return sorted(matches, key=lambda f: os.stat(f).st_atime)[-1]
235
235
236
236
237 def get_connection_info(connection_file=None, unpack=False, profile=None):
237 def get_connection_info(connection_file=None, unpack=False, profile=None):
238 """Return the connection information for the current Kernel.
238 """Return the connection information for the current Kernel.
239
239
240 Parameters
240 Parameters
241 ----------
241 ----------
242 connection_file : str [optional]
242 connection_file : str [optional]
243 The connection file to be used. Can be given by absolute path, or
243 The connection file to be used. Can be given by absolute path, or
244 IPython will search in the security directory of a given profile.
244 IPython will search in the security directory of a given profile.
245 If run from IPython,
245 If run from IPython,
246
246
247 If unspecified, the connection file for the currently running
247 If unspecified, the connection file for the currently running
248 IPython Kernel will be used, which is only allowed from inside a kernel.
248 IPython Kernel will be used, which is only allowed from inside a kernel.
249 unpack : bool [default: False]
249 unpack : bool [default: False]
250 if True, return the unpacked dict, otherwise just the string contents
250 if True, return the unpacked dict, otherwise just the string contents
251 of the file.
251 of the file.
252 profile : str [optional]
252 profile : str [optional]
253 The name of the profile to use when searching for the connection file,
253 The name of the profile to use when searching for the connection file,
254 if different from the current IPython session or 'default'.
254 if different from the current IPython session or 'default'.
255
255
256
256
257 Returns
257 Returns
258 -------
258 -------
259 The connection dictionary of the current kernel, as string or dict,
259 The connection dictionary of the current kernel, as string or dict,
260 depending on `unpack`.
260 depending on `unpack`.
261 """
261 """
262 if connection_file is None:
262 if connection_file is None:
263 # get connection file from current kernel
263 # get connection file from current kernel
264 cf = get_connection_file()
264 cf = get_connection_file()
265 else:
265 else:
266 # connection file specified, allow shortnames:
266 # connection file specified, allow shortnames:
267 cf = find_connection_file(connection_file, profile=profile)
267 cf = find_connection_file(connection_file, profile=profile)
268
268
269 with open(cf) as f:
269 with open(cf) as f:
270 info = f.read()
270 info = f.read()
271
271
272 if unpack:
272 if unpack:
273 info = json.loads(info)
273 info = json.loads(info)
274 # ensure key is bytes:
274 # ensure key is bytes:
275 info['key'] = str_to_bytes(info.get('key', ''))
275 info['key'] = str_to_bytes(info.get('key', ''))
276 return info
276 return info
277
277
278
278
279 def connect_qtconsole(connection_file=None, argv=None, profile=None):
279 def connect_qtconsole(connection_file=None, argv=None, profile=None):
280 """Connect a qtconsole to the current kernel.
280 """Connect a qtconsole to the current kernel.
281
281
282 This is useful for connecting a second qtconsole to a kernel, or to a
282 This is useful for connecting a second qtconsole to a kernel, or to a
283 local notebook.
283 local notebook.
284
284
285 Parameters
285 Parameters
286 ----------
286 ----------
287 connection_file : str [optional]
287 connection_file : str [optional]
288 The connection file to be used. Can be given by absolute path, or
288 The connection file to be used. Can be given by absolute path, or
289 IPython will search in the security directory of a given profile.
289 IPython will search in the security directory of a given profile.
290 If run from IPython,
290 If run from IPython,
291
291
292 If unspecified, the connection file for the currently running
292 If unspecified, the connection file for the currently running
293 IPython Kernel will be used, which is only allowed from inside a kernel.
293 IPython Kernel will be used, which is only allowed from inside a kernel.
294 argv : list [optional]
294 argv : list [optional]
295 Any extra args to be passed to the console.
295 Any extra args to be passed to the console.
296 profile : str [optional]
296 profile : str [optional]
297 The name of the profile to use when searching for the connection file,
297 The name of the profile to use when searching for the connection file,
298 if different from the current IPython session or 'default'.
298 if different from the current IPython session or 'default'.
299
299
300
300
301 Returns
301 Returns
302 -------
302 -------
303 subprocess.Popen instance running the qtconsole frontend
303 subprocess.Popen instance running the qtconsole frontend
304 """
304 """
305 argv = [] if argv is None else argv
305 argv = [] if argv is None else argv
306
306
307 if connection_file is None:
307 if connection_file is None:
308 # get connection file from current kernel
308 # get connection file from current kernel
309 cf = get_connection_file()
309 cf = get_connection_file()
310 else:
310 else:
311 cf = find_connection_file(connection_file, profile=profile)
311 cf = find_connection_file(connection_file, profile=profile)
312
312
313 cmd = ';'.join([
313 cmd = ';'.join([
314 "from IPython.qt.console import qtconsoleapp",
314 "from IPython.qt.console import qtconsoleapp",
315 "qtconsoleapp.main()"
315 "qtconsoleapp.main()"
316 ])
316 ])
317
317
318 return Popen([sys.executable, '-c', cmd, '--existing', cf] + argv,
318 return Popen([sys.executable, '-c', cmd, '--existing', cf] + argv,
319 stdout=PIPE, stderr=PIPE, close_fds=True,
319 stdout=PIPE, stderr=PIPE, close_fds=True,
320 )
320 )
321
321
322
322
323 def tunnel_to_kernel(connection_info, sshserver, sshkey=None):
323 def tunnel_to_kernel(connection_info, sshserver, sshkey=None):
324 """tunnel connections to a kernel via ssh
324 """tunnel connections to a kernel via ssh
325
325
326 This will open four SSH tunnels from localhost on this machine to the
326 This will open four SSH tunnels from localhost on this machine to the
327 ports associated with the kernel. They can be either direct
327 ports associated with the kernel. They can be either direct
328 localhost-localhost tunnels, or if an intermediate server is necessary,
328 localhost-localhost tunnels, or if an intermediate server is necessary,
329 the kernel must be listening on a public IP.
329 the kernel must be listening on a public IP.
330
330
331 Parameters
331 Parameters
332 ----------
332 ----------
333 connection_info : dict or str (path)
333 connection_info : dict or str (path)
334 Either a connection dict, or the path to a JSON connection file
334 Either a connection dict, or the path to a JSON connection file
335 sshserver : str
335 sshserver : str
336 The ssh sever to use to tunnel to the kernel. Can be a full
336 The ssh sever to use to tunnel to the kernel. Can be a full
337 `user@server:port` string. ssh config aliases are respected.
337 `user@server:port` string. ssh config aliases are respected.
338 sshkey : str [optional]
338 sshkey : str [optional]
339 Path to file containing ssh key to use for authentication.
339 Path to file containing ssh key to use for authentication.
340 Only necessary if your ssh config does not already associate
340 Only necessary if your ssh config does not already associate
341 a keyfile with the host.
341 a keyfile with the host.
342
342
343 Returns
343 Returns
344 -------
344 -------
345
345
346 (shell, iopub, stdin, hb) : ints
346 (shell, iopub, stdin, hb) : ints
347 The four ports on localhost that have been forwarded to the kernel.
347 The four ports on localhost that have been forwarded to the kernel.
348 """
348 """
349 if isinstance(connection_info, basestring):
349 if isinstance(connection_info, basestring):
350 # it's a path, unpack it
350 # it's a path, unpack it
351 with open(connection_info) as f:
351 with open(connection_info) as f:
352 connection_info = json.loads(f.read())
352 connection_info = json.loads(f.read())
353
353
354 cf = connection_info
354 cf = connection_info
355
355
356 lports = tunnel.select_random_ports(4)
356 lports = tunnel.select_random_ports(4)
357 rports = cf['shell_port'], cf['iopub_port'], cf['stdin_port'], cf['hb_port']
357 rports = cf['shell_port'], cf['iopub_port'], cf['stdin_port'], cf['hb_port']
358
358
359 remote_ip = cf['ip']
359 remote_ip = cf['ip']
360
360
361 if tunnel.try_passwordless_ssh(sshserver, sshkey):
361 if tunnel.try_passwordless_ssh(sshserver, sshkey):
362 password=False
362 password=False
363 else:
363 else:
364 password = getpass("SSH Password for %s: "%sshserver)
364 password = getpass("SSH Password for %s: "%sshserver)
365
365
366 for lp,rp in zip(lports, rports):
366 for lp,rp in zip(lports, rports):
367 tunnel.ssh_tunnel(lp, rp, sshserver, remote_ip, sshkey, password)
367 tunnel.ssh_tunnel(lp, rp, sshserver, remote_ip, sshkey, password)
368
368
369 return tuple(lports)
369 return tuple(lports)
370
370
371
371
372 #-----------------------------------------------------------------------------
372 #-----------------------------------------------------------------------------
373 # Mixin for classes that work with connection files
373 # Mixin for classes that work with connection files
374 #-----------------------------------------------------------------------------
374 #-----------------------------------------------------------------------------
375
375
376 channel_socket_types = {
376 channel_socket_types = {
377 'hb' : zmq.REQ,
377 'hb' : zmq.REQ,
378 'shell' : zmq.DEALER,
378 'shell' : zmq.DEALER,
379 'iopub' : zmq.SUB,
379 'iopub' : zmq.SUB,
380 'stdin' : zmq.DEALER,
380 'stdin' : zmq.DEALER,
381 'control': zmq.DEALER,
381 'control': zmq.DEALER,
382 }
382 }
383
383
384 port_names = [ "%s_port" % channel for channel in ('shell', 'stdin', 'iopub', 'hb', 'control')]
384 port_names = [ "%s_port" % channel for channel in ('shell', 'stdin', 'iopub', 'hb', 'control')]
385
385
386 class ConnectionFileMixin(HasTraits):
386 class ConnectionFileMixin(HasTraits):
387 """Mixin for configurable classes that work with connection files"""
387 """Mixin for configurable classes that work with connection files"""
388
388
389 # The addresses for the communication channels
389 # The addresses for the communication channels
390 connection_file = Unicode('')
390 connection_file = Unicode('')
391 _connection_file_written = Bool(False)
391 _connection_file_written = Bool(False)
392
392
393 transport = CaselessStrEnum(['tcp', 'ipc'], default_value='tcp', config=True)
393 transport = CaselessStrEnum(['tcp', 'ipc'], default_value='tcp', config=True)
394 signature_scheme = Unicode('')
395
394
396 ip = Unicode(LOCALHOST, config=True,
395 ip = Unicode(LOCALHOST, config=True,
397 help="""Set the kernel\'s IP address [default localhost].
396 help="""Set the kernel\'s IP address [default localhost].
398 If the IP address is something other than localhost, then
397 If the IP address is something other than localhost, then
399 Consoles on other machines will be able to connect
398 Consoles on other machines will be able to connect
400 to the Kernel, so be careful!"""
399 to the Kernel, so be careful!"""
401 )
400 )
402
401
403 def _ip_default(self):
402 def _ip_default(self):
404 if self.transport == 'ipc':
403 if self.transport == 'ipc':
405 if self.connection_file:
404 if self.connection_file:
406 return os.path.splitext(self.connection_file)[0] + '-ipc'
405 return os.path.splitext(self.connection_file)[0] + '-ipc'
407 else:
406 else:
408 return 'kernel-ipc'
407 return 'kernel-ipc'
409 else:
408 else:
410 return LOCALHOST
409 return LOCALHOST
411
410
412 def _ip_changed(self, name, old, new):
411 def _ip_changed(self, name, old, new):
413 if new == '*':
412 if new == '*':
414 self.ip = '0.0.0.0'
413 self.ip = '0.0.0.0'
415
414
416 # protected traits
415 # protected traits
417
416
418 shell_port = Integer(0)
417 shell_port = Integer(0)
419 iopub_port = Integer(0)
418 iopub_port = Integer(0)
420 stdin_port = Integer(0)
419 stdin_port = Integer(0)
421 control_port = Integer(0)
420 control_port = Integer(0)
422 hb_port = Integer(0)
421 hb_port = Integer(0)
423
422
424 @property
423 @property
425 def ports(self):
424 def ports(self):
426 return [ getattr(self, name) for name in port_names ]
425 return [ getattr(self, name) for name in port_names ]
427
426
428 #--------------------------------------------------------------------------
427 #--------------------------------------------------------------------------
429 # Connection and ipc file management
428 # Connection and ipc file management
430 #--------------------------------------------------------------------------
429 #--------------------------------------------------------------------------
431
430
432 def get_connection_info(self):
431 def get_connection_info(self):
433 """return the connection info as a dict"""
432 """return the connection info as a dict"""
434 return dict(
433 return dict(
435 transport=self.transport,
434 transport=self.transport,
436 ip=self.ip,
435 ip=self.ip,
437 shell_port=self.shell_port,
436 shell_port=self.shell_port,
438 iopub_port=self.iopub_port,
437 iopub_port=self.iopub_port,
439 stdin_port=self.stdin_port,
438 stdin_port=self.stdin_port,
440 hb_port=self.hb_port,
439 hb_port=self.hb_port,
441 control_port=self.control_port,
440 control_port=self.control_port,
442 signature_scheme=self.signature_scheme,
441 signature_schme=self.session.signature_scheme,
442 key=self.session.key,
443 )
443 )
444
444
445 def cleanup_connection_file(self):
445 def cleanup_connection_file(self):
446 """Cleanup connection file *if we wrote it*
446 """Cleanup connection file *if we wrote it*
447
447
448 Will not raise if the connection file was already removed somehow.
448 Will not raise if the connection file was already removed somehow.
449 """
449 """
450 if self._connection_file_written:
450 if self._connection_file_written:
451 # cleanup connection files on full shutdown of kernel we started
451 # cleanup connection files on full shutdown of kernel we started
452 self._connection_file_written = False
452 self._connection_file_written = False
453 try:
453 try:
454 os.remove(self.connection_file)
454 os.remove(self.connection_file)
455 except (IOError, OSError, AttributeError):
455 except (IOError, OSError, AttributeError):
456 pass
456 pass
457
457
458 def cleanup_ipc_files(self):
458 def cleanup_ipc_files(self):
459 """Cleanup ipc files if we wrote them."""
459 """Cleanup ipc files if we wrote them."""
460 if self.transport != 'ipc':
460 if self.transport != 'ipc':
461 return
461 return
462 for port in self.ports:
462 for port in self.ports:
463 ipcfile = "%s-%i" % (self.ip, port)
463 ipcfile = "%s-%i" % (self.ip, port)
464 try:
464 try:
465 os.remove(ipcfile)
465 os.remove(ipcfile)
466 except (IOError, OSError):
466 except (IOError, OSError):
467 pass
467 pass
468
468
469 def write_connection_file(self):
469 def write_connection_file(self):
470 """Write connection info to JSON dict in self.connection_file."""
470 """Write connection info to JSON dict in self.connection_file."""
471 if self._connection_file_written:
471 if self._connection_file_written:
472 return
472 return
473
473
474 self.connection_file, cfg = write_connection_file(self.connection_file,
474 self.connection_file, cfg = write_connection_file(self.connection_file,
475 transport=self.transport, ip=self.ip, key=self.session.key,
475 transport=self.transport, ip=self.ip, key=self.session.key,
476 stdin_port=self.stdin_port, iopub_port=self.iopub_port,
476 stdin_port=self.stdin_port, iopub_port=self.iopub_port,
477 shell_port=self.shell_port, hb_port=self.hb_port,
477 shell_port=self.shell_port, hb_port=self.hb_port,
478 control_port=self.control_port,
478 control_port=self.control_port,
479 signature_scheme=self.signature_scheme,
479 signature_scheme=self.session.signature_scheme,
480 )
480 )
481 # write_connection_file also sets default ports:
481 # write_connection_file also sets default ports:
482 for name in port_names:
482 for name in port_names:
483 setattr(self, name, cfg[name])
483 setattr(self, name, cfg[name])
484
484
485 self._connection_file_written = True
485 self._connection_file_written = True
486
486
487 def load_connection_file(self):
487 def load_connection_file(self):
488 """Load connection info from JSON dict in self.connection_file."""
488 """Load connection info from JSON dict in self.connection_file."""
489 with open(self.connection_file) as f:
489 with open(self.connection_file) as f:
490 cfg = json.loads(f.read())
490 cfg = json.loads(f.read())
491
491
492 self.transport = cfg.get('transport', 'tcp')
492 self.transport = cfg.get('transport', 'tcp')
493 self.ip = cfg['ip']
493 self.ip = cfg['ip']
494 for name in port_names:
494 for name in port_names:
495 setattr(self, name, cfg[name])
495 setattr(self, name, cfg[name])
496 if 'key' in cfg:
496 if 'key' in cfg:
497 self.session.key = str_to_bytes(cfg['key'])
497 self.session.key = str_to_bytes(cfg['key'])
498 if cfg.get('signature_scheme'):
498 if cfg.get('signature_scheme'):
499 self.session.signature_scheme = cfg['signature_scheme']
499 self.session.signature_scheme = cfg['signature_scheme']
500
500
501 #--------------------------------------------------------------------------
501 #--------------------------------------------------------------------------
502 # Creating connected sockets
502 # Creating connected sockets
503 #--------------------------------------------------------------------------
503 #--------------------------------------------------------------------------
504
504
505 def _make_url(self, channel):
505 def _make_url(self, channel):
506 """Make a ZeroMQ URL for a given channel."""
506 """Make a ZeroMQ URL for a given channel."""
507 transport = self.transport
507 transport = self.transport
508 ip = self.ip
508 ip = self.ip
509 port = getattr(self, '%s_port' % channel)
509 port = getattr(self, '%s_port' % channel)
510
510
511 if transport == 'tcp':
511 if transport == 'tcp':
512 return "tcp://%s:%i" % (ip, port)
512 return "tcp://%s:%i" % (ip, port)
513 else:
513 else:
514 return "%s://%s-%s" % (transport, ip, port)
514 return "%s://%s-%s" % (transport, ip, port)
515
515
516 def _create_connected_socket(self, channel, identity=None):
516 def _create_connected_socket(self, channel, identity=None):
517 """Create a zmq Socket and connect it to the kernel."""
517 """Create a zmq Socket and connect it to the kernel."""
518 url = self._make_url(channel)
518 url = self._make_url(channel)
519 socket_type = channel_socket_types[channel]
519 socket_type = channel_socket_types[channel]
520 self.log.info("Connecting to: %s" % url)
520 self.log.info("Connecting to: %s" % url)
521 sock = self.context.socket(socket_type)
521 sock = self.context.socket(socket_type)
522 if identity:
522 if identity:
523 sock.identity = identity
523 sock.identity = identity
524 sock.connect(url)
524 sock.connect(url)
525 return sock
525 return sock
526
526
527 def connect_iopub(self, identity=None):
527 def connect_iopub(self, identity=None):
528 """return zmq Socket connected to the IOPub channel"""
528 """return zmq Socket connected to the IOPub channel"""
529 sock = self._create_connected_socket('iopub', identity=identity)
529 sock = self._create_connected_socket('iopub', identity=identity)
530 sock.setsockopt(zmq.SUBSCRIBE, b'')
530 sock.setsockopt(zmq.SUBSCRIBE, b'')
531 return sock
531 return sock
532
532
533 def connect_shell(self, identity=None):
533 def connect_shell(self, identity=None):
534 """return zmq Socket connected to the Shell channel"""
534 """return zmq Socket connected to the Shell channel"""
535 return self._create_connected_socket('shell', identity=identity)
535 return self._create_connected_socket('shell', identity=identity)
536
536
537 def connect_stdin(self, identity=None):
537 def connect_stdin(self, identity=None):
538 """return zmq Socket connected to the StdIn channel"""
538 """return zmq Socket connected to the StdIn channel"""
539 return self._create_connected_socket('stdin', identity=identity)
539 return self._create_connected_socket('stdin', identity=identity)
540
540
541 def connect_hb(self, identity=None):
541 def connect_hb(self, identity=None):
542 """return zmq Socket connected to the Heartbeat channel"""
542 """return zmq Socket connected to the Heartbeat channel"""
543 return self._create_connected_socket('hb', identity=identity)
543 return self._create_connected_socket('hb', identity=identity)
544
544
545 def connect_control(self, identity=None):
545 def connect_control(self, identity=None):
546 """return zmq Socket connected to the Heartbeat channel"""
546 """return zmq Socket connected to the Heartbeat channel"""
547 return self._create_connected_socket('control', identity=identity)
547 return self._create_connected_socket('control', identity=identity)
548
548
549
549
550 __all__ = [
550 __all__ = [
551 'write_connection_file',
551 'write_connection_file',
552 'get_connection_file',
552 'get_connection_file',
553 'find_connection_file',
553 'find_connection_file',
554 'get_connection_info',
554 'get_connection_info',
555 'connect_qtconsole',
555 'connect_qtconsole',
556 'tunnel_to_kernel',
556 'tunnel_to_kernel',
557 ]
557 ]
General Comments 0
You need to be logged in to leave comments. Login now