##// END OF EJS Templates
remove redundant BlockingKernelClient import from test_message_spec
MinRK -
Show More
@@ -1,484 +1,483
1 """Test suite for our zeromq-based messaging specification.
1 """Test suite for our zeromq-based messaging specification.
2 """
2 """
3 #-----------------------------------------------------------------------------
3 #-----------------------------------------------------------------------------
4 # Copyright (C) 2010-2011 The IPython Development Team
4 # Copyright (C) 2010-2011 The IPython Development Team
5 #
5 #
6 # Distributed under the terms of the BSD License. The full license is in
6 # Distributed under the terms of the BSD License. The full license is in
7 # the file COPYING.txt, distributed as part of this software.
7 # the file COPYING.txt, distributed as part of this software.
8 #-----------------------------------------------------------------------------
8 #-----------------------------------------------------------------------------
9
9
10 import re
10 import re
11 import sys
11 import sys
12 import time
12 import time
13 from subprocess import PIPE
13 from subprocess import PIPE
14 from Queue import Empty
14 from Queue import Empty
15
15
16 import nose.tools as nt
16 import nose.tools as nt
17
17
18 from IPython.kernel import KernelManager, BlockingKernelClient
18 from IPython.kernel import KernelManager
19
19
20
20
21 from IPython.testing import decorators as dec
21 from IPython.testing import decorators as dec
22 from IPython.utils import io
22 from IPython.utils import io
23 from IPython.utils.traitlets import (
23 from IPython.utils.traitlets import (
24 HasTraits, TraitError, Bool, Unicode, Dict, Integer, List, Enum, Any,
24 HasTraits, TraitError, Bool, Unicode, Dict, Integer, List, Enum, Any,
25 )
25 )
26
26
27 #-----------------------------------------------------------------------------
27 #-----------------------------------------------------------------------------
28 # Global setup and utilities
28 # Global setup and utilities
29 #-----------------------------------------------------------------------------
29 #-----------------------------------------------------------------------------
30
30
31 def setup():
31 def setup():
32 global KM, KC
32 global KM, KC
33 KM = KernelManager()
33 KM = KernelManager()
34 KM.client_factory = BlockingKernelClient
35 KM.start_kernel(stdout=PIPE, stderr=PIPE)
34 KM.start_kernel(stdout=PIPE, stderr=PIPE)
36 KC = KM.client()
35 KC = KM.client()
37 KC.start_channels()
36 KC.start_channels()
38
37
39 # wait for kernel to be ready
38 # wait for kernel to be ready
40 KC.execute("pass")
39 KC.execute("pass")
41 KC.get_shell_msg(block=True, timeout=5)
40 KC.get_shell_msg(block=True, timeout=5)
42 flush_channels()
41 flush_channels()
43
42
44
43
45 def teardown():
44 def teardown():
46 KC.stop_channels()
45 KC.stop_channels()
47 KM.shutdown_kernel()
46 KM.shutdown_kernel()
48
47
49
48
50 def flush_channels(kc=None):
49 def flush_channels(kc=None):
51 """flush any messages waiting on the queue"""
50 """flush any messages waiting on the queue"""
52 if kc is None:
51 if kc is None:
53 kc = KC
52 kc = KC
54 for channel in (kc.shell_channel, kc.iopub_channel):
53 for channel in (kc.shell_channel, kc.iopub_channel):
55 while True:
54 while True:
56 try:
55 try:
57 msg = channel.get_msg(block=True, timeout=0.1)
56 msg = channel.get_msg(block=True, timeout=0.1)
58 except Empty:
57 except Empty:
59 break
58 break
60 else:
59 else:
61 list(validate_message(msg))
60 list(validate_message(msg))
62
61
63
62
64 def execute(code='', kc=None, **kwargs):
63 def execute(code='', kc=None, **kwargs):
65 """wrapper for doing common steps for validating an execution request"""
64 """wrapper for doing common steps for validating an execution request"""
66 msg_id = KC.execute(code=code, **kwargs)
65 msg_id = KC.execute(code=code, **kwargs)
67 reply = KC.get_shell_msg(timeout=2)
66 reply = KC.get_shell_msg(timeout=2)
68 list(validate_message(reply, 'execute_reply', msg_id))
67 list(validate_message(reply, 'execute_reply', msg_id))
69 busy = KC.get_iopub_msg(timeout=2)
68 busy = KC.get_iopub_msg(timeout=2)
70 list(validate_message(busy, 'status', msg_id))
69 list(validate_message(busy, 'status', msg_id))
71 nt.assert_equal(busy['content']['execution_state'], 'busy')
70 nt.assert_equal(busy['content']['execution_state'], 'busy')
72
71
73 if not kwargs.get('silent'):
72 if not kwargs.get('silent'):
74 pyin = KC.get_iopub_msg(timeout=2)
73 pyin = KC.get_iopub_msg(timeout=2)
75 list(validate_message(pyin, 'pyin', msg_id))
74 list(validate_message(pyin, 'pyin', msg_id))
76 nt.assert_equal(pyin['content']['code'], code)
75 nt.assert_equal(pyin['content']['code'], code)
77
76
78 return msg_id, reply['content']
77 return msg_id, reply['content']
79
78
80 #-----------------------------------------------------------------------------
79 #-----------------------------------------------------------------------------
81 # MSG Spec References
80 # MSG Spec References
82 #-----------------------------------------------------------------------------
81 #-----------------------------------------------------------------------------
83
82
84
83
85 class Reference(HasTraits):
84 class Reference(HasTraits):
86
85
87 """
86 """
88 Base class for message spec specification testing.
87 Base class for message spec specification testing.
89
88
90 This class is the core of the message specification test. The
89 This class is the core of the message specification test. The
91 idea is that child classes implement trait attributes for each
90 idea is that child classes implement trait attributes for each
92 message keys, so that message keys can be tested against these
91 message keys, so that message keys can be tested against these
93 traits using :meth:`check` method.
92 traits using :meth:`check` method.
94
93
95 """
94 """
96
95
97 def check(self, d):
96 def check(self, d):
98 """validate a dict against our traits"""
97 """validate a dict against our traits"""
99 for key in self.trait_names():
98 for key in self.trait_names():
100 yield nt.assert_true(key in d, "Missing key: %r, should be found in %s" % (key, d))
99 yield nt.assert_true(key in d, "Missing key: %r, should be found in %s" % (key, d))
101 # FIXME: always allow None, probably not a good idea
100 # FIXME: always allow None, probably not a good idea
102 if d[key] is None:
101 if d[key] is None:
103 continue
102 continue
104 try:
103 try:
105 setattr(self, key, d[key])
104 setattr(self, key, d[key])
106 except TraitError as e:
105 except TraitError as e:
107 yield nt.assert_true(False, str(e))
106 yield nt.assert_true(False, str(e))
108
107
109
108
110 class RMessage(Reference):
109 class RMessage(Reference):
111 msg_id = Unicode()
110 msg_id = Unicode()
112 msg_type = Unicode()
111 msg_type = Unicode()
113 header = Dict()
112 header = Dict()
114 parent_header = Dict()
113 parent_header = Dict()
115 content = Dict()
114 content = Dict()
116
115
117 class RHeader(Reference):
116 class RHeader(Reference):
118 msg_id = Unicode()
117 msg_id = Unicode()
119 msg_type = Unicode()
118 msg_type = Unicode()
120 session = Unicode()
119 session = Unicode()
121 username = Unicode()
120 username = Unicode()
122
121
123 class RContent(Reference):
122 class RContent(Reference):
124 status = Enum((u'ok', u'error'))
123 status = Enum((u'ok', u'error'))
125
124
126
125
127 class ExecuteReply(Reference):
126 class ExecuteReply(Reference):
128 execution_count = Integer()
127 execution_count = Integer()
129 status = Enum((u'ok', u'error'))
128 status = Enum((u'ok', u'error'))
130
129
131 def check(self, d):
130 def check(self, d):
132 for tst in Reference.check(self, d):
131 for tst in Reference.check(self, d):
133 yield tst
132 yield tst
134 if d['status'] == 'ok':
133 if d['status'] == 'ok':
135 for tst in ExecuteReplyOkay().check(d):
134 for tst in ExecuteReplyOkay().check(d):
136 yield tst
135 yield tst
137 elif d['status'] == 'error':
136 elif d['status'] == 'error':
138 for tst in ExecuteReplyError().check(d):
137 for tst in ExecuteReplyError().check(d):
139 yield tst
138 yield tst
140
139
141
140
142 class ExecuteReplyOkay(Reference):
141 class ExecuteReplyOkay(Reference):
143 payload = List(Dict)
142 payload = List(Dict)
144 user_variables = Dict()
143 user_variables = Dict()
145 user_expressions = Dict()
144 user_expressions = Dict()
146
145
147
146
148 class ExecuteReplyError(Reference):
147 class ExecuteReplyError(Reference):
149 ename = Unicode()
148 ename = Unicode()
150 evalue = Unicode()
149 evalue = Unicode()
151 traceback = List(Unicode)
150 traceback = List(Unicode)
152
151
153
152
154 class OInfoReply(Reference):
153 class OInfoReply(Reference):
155 name = Unicode()
154 name = Unicode()
156 found = Bool()
155 found = Bool()
157 ismagic = Bool()
156 ismagic = Bool()
158 isalias = Bool()
157 isalias = Bool()
159 namespace = Enum((u'builtin', u'magics', u'alias', u'Interactive'))
158 namespace = Enum((u'builtin', u'magics', u'alias', u'Interactive'))
160 type_name = Unicode()
159 type_name = Unicode()
161 string_form = Unicode()
160 string_form = Unicode()
162 base_class = Unicode()
161 base_class = Unicode()
163 length = Integer()
162 length = Integer()
164 file = Unicode()
163 file = Unicode()
165 definition = Unicode()
164 definition = Unicode()
166 argspec = Dict()
165 argspec = Dict()
167 init_definition = Unicode()
166 init_definition = Unicode()
168 docstring = Unicode()
167 docstring = Unicode()
169 init_docstring = Unicode()
168 init_docstring = Unicode()
170 class_docstring = Unicode()
169 class_docstring = Unicode()
171 call_def = Unicode()
170 call_def = Unicode()
172 call_docstring = Unicode()
171 call_docstring = Unicode()
173 source = Unicode()
172 source = Unicode()
174
173
175 def check(self, d):
174 def check(self, d):
176 for tst in Reference.check(self, d):
175 for tst in Reference.check(self, d):
177 yield tst
176 yield tst
178 if d['argspec'] is not None:
177 if d['argspec'] is not None:
179 for tst in ArgSpec().check(d['argspec']):
178 for tst in ArgSpec().check(d['argspec']):
180 yield tst
179 yield tst
181
180
182
181
183 class ArgSpec(Reference):
182 class ArgSpec(Reference):
184 args = List(Unicode)
183 args = List(Unicode)
185 varargs = Unicode()
184 varargs = Unicode()
186 varkw = Unicode()
185 varkw = Unicode()
187 defaults = List()
186 defaults = List()
188
187
189
188
190 class Status(Reference):
189 class Status(Reference):
191 execution_state = Enum((u'busy', u'idle', u'starting'))
190 execution_state = Enum((u'busy', u'idle', u'starting'))
192
191
193
192
194 class CompleteReply(Reference):
193 class CompleteReply(Reference):
195 matches = List(Unicode)
194 matches = List(Unicode)
196
195
197
196
198 def Version(num, trait=Integer):
197 def Version(num, trait=Integer):
199 return List(trait, default_value=[0] * num, minlen=num, maxlen=num)
198 return List(trait, default_value=[0] * num, minlen=num, maxlen=num)
200
199
201
200
202 class KernelInfoReply(Reference):
201 class KernelInfoReply(Reference):
203
202
204 protocol_version = Version(2)
203 protocol_version = Version(2)
205 ipython_version = Version(4, Any)
204 ipython_version = Version(4, Any)
206 language_version = Version(3)
205 language_version = Version(3)
207 language = Unicode()
206 language = Unicode()
208
207
209 def _ipython_version_changed(self, name, old, new):
208 def _ipython_version_changed(self, name, old, new):
210 for v in new:
209 for v in new:
211 nt.assert_true(
210 nt.assert_true(
212 isinstance(v, int) or isinstance(v, basestring),
211 isinstance(v, int) or isinstance(v, basestring),
213 'expected int or string as version component, got {0!r}'
212 'expected int or string as version component, got {0!r}'
214 .format(v))
213 .format(v))
215
214
216
215
217 # IOPub messages
216 # IOPub messages
218
217
219 class PyIn(Reference):
218 class PyIn(Reference):
220 code = Unicode()
219 code = Unicode()
221 execution_count = Integer()
220 execution_count = Integer()
222
221
223
222
224 PyErr = ExecuteReplyError
223 PyErr = ExecuteReplyError
225
224
226
225
227 class Stream(Reference):
226 class Stream(Reference):
228 name = Enum((u'stdout', u'stderr'))
227 name = Enum((u'stdout', u'stderr'))
229 data = Unicode()
228 data = Unicode()
230
229
231
230
232 mime_pat = re.compile(r'\w+/\w+')
231 mime_pat = re.compile(r'\w+/\w+')
233
232
234 class DisplayData(Reference):
233 class DisplayData(Reference):
235 source = Unicode()
234 source = Unicode()
236 metadata = Dict()
235 metadata = Dict()
237 data = Dict()
236 data = Dict()
238 def _data_changed(self, name, old, new):
237 def _data_changed(self, name, old, new):
239 for k,v in new.iteritems():
238 for k,v in new.iteritems():
240 nt.assert_true(mime_pat.match(k))
239 nt.assert_true(mime_pat.match(k))
241 nt.assert_true(isinstance(v, basestring), "expected string data, got %r" % v)
240 nt.assert_true(isinstance(v, basestring), "expected string data, got %r" % v)
242
241
243
242
244 class PyOut(Reference):
243 class PyOut(Reference):
245 execution_count = Integer()
244 execution_count = Integer()
246 data = Dict()
245 data = Dict()
247 def _data_changed(self, name, old, new):
246 def _data_changed(self, name, old, new):
248 for k,v in new.iteritems():
247 for k,v in new.iteritems():
249 nt.assert_true(mime_pat.match(k))
248 nt.assert_true(mime_pat.match(k))
250 nt.assert_true(isinstance(v, basestring), "expected string data, got %r" % v)
249 nt.assert_true(isinstance(v, basestring), "expected string data, got %r" % v)
251
250
252
251
253 references = {
252 references = {
254 'execute_reply' : ExecuteReply(),
253 'execute_reply' : ExecuteReply(),
255 'object_info_reply' : OInfoReply(),
254 'object_info_reply' : OInfoReply(),
256 'status' : Status(),
255 'status' : Status(),
257 'complete_reply' : CompleteReply(),
256 'complete_reply' : CompleteReply(),
258 'kernel_info_reply': KernelInfoReply(),
257 'kernel_info_reply': KernelInfoReply(),
259 'pyin' : PyIn(),
258 'pyin' : PyIn(),
260 'pyout' : PyOut(),
259 'pyout' : PyOut(),
261 'pyerr' : PyErr(),
260 'pyerr' : PyErr(),
262 'stream' : Stream(),
261 'stream' : Stream(),
263 'display_data' : DisplayData(),
262 'display_data' : DisplayData(),
264 }
263 }
265 """
264 """
266 Specifications of `content` part of the reply messages.
265 Specifications of `content` part of the reply messages.
267 """
266 """
268
267
269
268
270 def validate_message(msg, msg_type=None, parent=None):
269 def validate_message(msg, msg_type=None, parent=None):
271 """validate a message
270 """validate a message
272
271
273 This is a generator, and must be iterated through to actually
272 This is a generator, and must be iterated through to actually
274 trigger each test.
273 trigger each test.
275
274
276 If msg_type and/or parent are given, the msg_type and/or parent msg_id
275 If msg_type and/or parent are given, the msg_type and/or parent msg_id
277 are compared with the given values.
276 are compared with the given values.
278 """
277 """
279 RMessage().check(msg)
278 RMessage().check(msg)
280 if msg_type:
279 if msg_type:
281 yield nt.assert_equal(msg['msg_type'], msg_type)
280 yield nt.assert_equal(msg['msg_type'], msg_type)
282 if parent:
281 if parent:
283 yield nt.assert_equal(msg['parent_header']['msg_id'], parent)
282 yield nt.assert_equal(msg['parent_header']['msg_id'], parent)
284 content = msg['content']
283 content = msg['content']
285 ref = references[msg['msg_type']]
284 ref = references[msg['msg_type']]
286 for tst in ref.check(content):
285 for tst in ref.check(content):
287 yield tst
286 yield tst
288
287
289
288
290 #-----------------------------------------------------------------------------
289 #-----------------------------------------------------------------------------
291 # Tests
290 # Tests
292 #-----------------------------------------------------------------------------
291 #-----------------------------------------------------------------------------
293
292
294 # Shell channel
293 # Shell channel
295
294
296 @dec.parametric
295 @dec.parametric
297 def test_execute():
296 def test_execute():
298 flush_channels()
297 flush_channels()
299
298
300 msg_id = KC.execute(code='x=1')
299 msg_id = KC.execute(code='x=1')
301 reply = KC.get_shell_msg(timeout=2)
300 reply = KC.get_shell_msg(timeout=2)
302 for tst in validate_message(reply, 'execute_reply', msg_id):
301 for tst in validate_message(reply, 'execute_reply', msg_id):
303 yield tst
302 yield tst
304
303
305
304
306 @dec.parametric
305 @dec.parametric
307 def test_execute_silent():
306 def test_execute_silent():
308 flush_channels()
307 flush_channels()
309 msg_id, reply = execute(code='x=1', silent=True)
308 msg_id, reply = execute(code='x=1', silent=True)
310
309
311 # flush status=idle
310 # flush status=idle
312 status = KC.iopub_channel.get_msg(timeout=2)
311 status = KC.iopub_channel.get_msg(timeout=2)
313 for tst in validate_message(status, 'status', msg_id):
312 for tst in validate_message(status, 'status', msg_id):
314 yield tst
313 yield tst
315 nt.assert_equal(status['content']['execution_state'], 'idle')
314 nt.assert_equal(status['content']['execution_state'], 'idle')
316
315
317 yield nt.assert_raises(Empty, KC.iopub_channel.get_msg, timeout=0.1)
316 yield nt.assert_raises(Empty, KC.iopub_channel.get_msg, timeout=0.1)
318 count = reply['execution_count']
317 count = reply['execution_count']
319
318
320 msg_id, reply = execute(code='x=2', silent=True)
319 msg_id, reply = execute(code='x=2', silent=True)
321
320
322 # flush status=idle
321 # flush status=idle
323 status = KC.iopub_channel.get_msg(timeout=2)
322 status = KC.iopub_channel.get_msg(timeout=2)
324 for tst in validate_message(status, 'status', msg_id):
323 for tst in validate_message(status, 'status', msg_id):
325 yield tst
324 yield tst
326 yield nt.assert_equal(status['content']['execution_state'], 'idle')
325 yield nt.assert_equal(status['content']['execution_state'], 'idle')
327
326
328 yield nt.assert_raises(Empty, KC.iopub_channel.get_msg, timeout=0.1)
327 yield nt.assert_raises(Empty, KC.iopub_channel.get_msg, timeout=0.1)
329 count_2 = reply['execution_count']
328 count_2 = reply['execution_count']
330 yield nt.assert_equal(count_2, count)
329 yield nt.assert_equal(count_2, count)
331
330
332
331
333 @dec.parametric
332 @dec.parametric
334 def test_execute_error():
333 def test_execute_error():
335 flush_channels()
334 flush_channels()
336
335
337 msg_id, reply = execute(code='1/0')
336 msg_id, reply = execute(code='1/0')
338 yield nt.assert_equal(reply['status'], 'error')
337 yield nt.assert_equal(reply['status'], 'error')
339 yield nt.assert_equal(reply['ename'], 'ZeroDivisionError')
338 yield nt.assert_equal(reply['ename'], 'ZeroDivisionError')
340
339
341 pyerr = KC.iopub_channel.get_msg(timeout=2)
340 pyerr = KC.iopub_channel.get_msg(timeout=2)
342 for tst in validate_message(pyerr, 'pyerr', msg_id):
341 for tst in validate_message(pyerr, 'pyerr', msg_id):
343 yield tst
342 yield tst
344
343
345
344
346 def test_execute_inc():
345 def test_execute_inc():
347 """execute request should increment execution_count"""
346 """execute request should increment execution_count"""
348 flush_channels()
347 flush_channels()
349
348
350 msg_id, reply = execute(code='x=1')
349 msg_id, reply = execute(code='x=1')
351 count = reply['execution_count']
350 count = reply['execution_count']
352
351
353 flush_channels()
352 flush_channels()
354
353
355 msg_id, reply = execute(code='x=2')
354 msg_id, reply = execute(code='x=2')
356 count_2 = reply['execution_count']
355 count_2 = reply['execution_count']
357 nt.assert_equal(count_2, count+1)
356 nt.assert_equal(count_2, count+1)
358
357
359
358
360 def test_user_variables():
359 def test_user_variables():
361 flush_channels()
360 flush_channels()
362
361
363 msg_id, reply = execute(code='x=1', user_variables=['x'])
362 msg_id, reply = execute(code='x=1', user_variables=['x'])
364 user_variables = reply['user_variables']
363 user_variables = reply['user_variables']
365 nt.assert_equal(user_variables, {u'x' : u'1'})
364 nt.assert_equal(user_variables, {u'x' : u'1'})
366
365
367
366
368 def test_user_expressions():
367 def test_user_expressions():
369 flush_channels()
368 flush_channels()
370
369
371 msg_id, reply = execute(code='x=1', user_expressions=dict(foo='x+1'))
370 msg_id, reply = execute(code='x=1', user_expressions=dict(foo='x+1'))
372 user_expressions = reply['user_expressions']
371 user_expressions = reply['user_expressions']
373 nt.assert_equal(user_expressions, {u'foo' : u'2'})
372 nt.assert_equal(user_expressions, {u'foo' : u'2'})
374
373
375
374
376 @dec.parametric
375 @dec.parametric
377 def test_oinfo():
376 def test_oinfo():
378 flush_channels()
377 flush_channels()
379
378
380 msg_id = KC.object_info('a')
379 msg_id = KC.object_info('a')
381 reply = KC.get_shell_msg(timeout=2)
380 reply = KC.get_shell_msg(timeout=2)
382 for tst in validate_message(reply, 'object_info_reply', msg_id):
381 for tst in validate_message(reply, 'object_info_reply', msg_id):
383 yield tst
382 yield tst
384
383
385
384
386 @dec.parametric
385 @dec.parametric
387 def test_oinfo_found():
386 def test_oinfo_found():
388 flush_channels()
387 flush_channels()
389
388
390 msg_id, reply = execute(code='a=5')
389 msg_id, reply = execute(code='a=5')
391
390
392 msg_id = KC.object_info('a')
391 msg_id = KC.object_info('a')
393 reply = KC.get_shell_msg(timeout=2)
392 reply = KC.get_shell_msg(timeout=2)
394 for tst in validate_message(reply, 'object_info_reply', msg_id):
393 for tst in validate_message(reply, 'object_info_reply', msg_id):
395 yield tst
394 yield tst
396 content = reply['content']
395 content = reply['content']
397 yield nt.assert_true(content['found'])
396 yield nt.assert_true(content['found'])
398 argspec = content['argspec']
397 argspec = content['argspec']
399 yield nt.assert_true(argspec is None, "didn't expect argspec dict, got %r" % argspec)
398 yield nt.assert_true(argspec is None, "didn't expect argspec dict, got %r" % argspec)
400
399
401
400
402 @dec.parametric
401 @dec.parametric
403 def test_oinfo_detail():
402 def test_oinfo_detail():
404 flush_channels()
403 flush_channels()
405
404
406 msg_id, reply = execute(code='ip=get_ipython()')
405 msg_id, reply = execute(code='ip=get_ipython()')
407
406
408 msg_id = KC.object_info('ip.object_inspect', detail_level=2)
407 msg_id = KC.object_info('ip.object_inspect', detail_level=2)
409 reply = KC.get_shell_msg(timeout=2)
408 reply = KC.get_shell_msg(timeout=2)
410 for tst in validate_message(reply, 'object_info_reply', msg_id):
409 for tst in validate_message(reply, 'object_info_reply', msg_id):
411 yield tst
410 yield tst
412 content = reply['content']
411 content = reply['content']
413 yield nt.assert_true(content['found'])
412 yield nt.assert_true(content['found'])
414 argspec = content['argspec']
413 argspec = content['argspec']
415 yield nt.assert_true(isinstance(argspec, dict), "expected non-empty argspec dict, got %r" % argspec)
414 yield nt.assert_true(isinstance(argspec, dict), "expected non-empty argspec dict, got %r" % argspec)
416 yield nt.assert_equal(argspec['defaults'], [0])
415 yield nt.assert_equal(argspec['defaults'], [0])
417
416
418
417
419 @dec.parametric
418 @dec.parametric
420 def test_oinfo_not_found():
419 def test_oinfo_not_found():
421 flush_channels()
420 flush_channels()
422
421
423 msg_id = KC.object_info('dne')
422 msg_id = KC.object_info('dne')
424 reply = KC.get_shell_msg(timeout=2)
423 reply = KC.get_shell_msg(timeout=2)
425 for tst in validate_message(reply, 'object_info_reply', msg_id):
424 for tst in validate_message(reply, 'object_info_reply', msg_id):
426 yield tst
425 yield tst
427 content = reply['content']
426 content = reply['content']
428 yield nt.assert_false(content['found'])
427 yield nt.assert_false(content['found'])
429
428
430
429
431 @dec.parametric
430 @dec.parametric
432 def test_complete():
431 def test_complete():
433 flush_channels()
432 flush_channels()
434
433
435 msg_id, reply = execute(code="alpha = albert = 5")
434 msg_id, reply = execute(code="alpha = albert = 5")
436
435
437 msg_id = KC.complete('al', 'al', 2)
436 msg_id = KC.complete('al', 'al', 2)
438 reply = KC.get_shell_msg(timeout=2)
437 reply = KC.get_shell_msg(timeout=2)
439 for tst in validate_message(reply, 'complete_reply', msg_id):
438 for tst in validate_message(reply, 'complete_reply', msg_id):
440 yield tst
439 yield tst
441 matches = reply['content']['matches']
440 matches = reply['content']['matches']
442 for name in ('alpha', 'albert'):
441 for name in ('alpha', 'albert'):
443 yield nt.assert_true(name in matches, "Missing match: %r" % name)
442 yield nt.assert_true(name in matches, "Missing match: %r" % name)
444
443
445
444
446 @dec.parametric
445 @dec.parametric
447 def test_kernel_info_request():
446 def test_kernel_info_request():
448 flush_channels()
447 flush_channels()
449
448
450 msg_id = KC.kernel_info()
449 msg_id = KC.kernel_info()
451 reply = KC.get_shell_msg(timeout=2)
450 reply = KC.get_shell_msg(timeout=2)
452 for tst in validate_message(reply, 'kernel_info_reply', msg_id):
451 for tst in validate_message(reply, 'kernel_info_reply', msg_id):
453 yield tst
452 yield tst
454
453
455
454
456 # IOPub channel
455 # IOPub channel
457
456
458
457
459 @dec.parametric
458 @dec.parametric
460 def test_stream():
459 def test_stream():
461 flush_channels()
460 flush_channels()
462
461
463 msg_id, reply = execute("print('hi')")
462 msg_id, reply = execute("print('hi')")
464
463
465 stdout = KC.iopub_channel.get_msg(timeout=2)
464 stdout = KC.iopub_channel.get_msg(timeout=2)
466 for tst in validate_message(stdout, 'stream', msg_id):
465 for tst in validate_message(stdout, 'stream', msg_id):
467 yield tst
466 yield tst
468 content = stdout['content']
467 content = stdout['content']
469 yield nt.assert_equal(content['name'], u'stdout')
468 yield nt.assert_equal(content['name'], u'stdout')
470 yield nt.assert_equal(content['data'], u'hi\n')
469 yield nt.assert_equal(content['data'], u'hi\n')
471
470
472
471
473 @dec.parametric
472 @dec.parametric
474 def test_display_data():
473 def test_display_data():
475 flush_channels()
474 flush_channels()
476
475
477 msg_id, reply = execute("from IPython.core.display import display; display(1)")
476 msg_id, reply = execute("from IPython.core.display import display; display(1)")
478
477
479 display = KC.iopub_channel.get_msg(timeout=2)
478 display = KC.iopub_channel.get_msg(timeout=2)
480 for tst in validate_message(display, 'display_data', parent=msg_id):
479 for tst in validate_message(display, 'display_data', parent=msg_id):
481 yield tst
480 yield tst
482 data = display['content']['data']
481 data = display['content']['data']
483 yield nt.assert_equal(data['text/plain'], u'1')
482 yield nt.assert_equal(data['text/plain'], u'1')
484
483
General Comments 0
You need to be logged in to leave comments. Login now