##// END OF EJS Templates
Backport PR #12232: ensure SVG(url=...) is set correctly
Matthias Bussonnier -
Show More
@@ -1,1497 +1,1518 b''
1 # -*- coding: utf-8 -*-
1 # -*- coding: utf-8 -*-
2 """Top-level display functions for displaying object in different formats."""
2 """Top-level display functions for displaying object in different formats."""
3
3
4 # Copyright (c) IPython Development Team.
4 # Copyright (c) IPython Development Team.
5 # Distributed under the terms of the Modified BSD License.
5 # Distributed under the terms of the Modified BSD License.
6
6
7
7
8 from binascii import b2a_hex, b2a_base64, hexlify
8 from binascii import b2a_hex, b2a_base64, hexlify
9 import json
9 import json
10 import mimetypes
10 import mimetypes
11 import os
11 import os
12 import struct
12 import struct
13 import sys
13 import sys
14 import warnings
14 import warnings
15 from copy import deepcopy
15 from copy import deepcopy
16 from os.path import splitext
16 from os.path import splitext
17 from pathlib import Path, PurePath
17 from pathlib import Path, PurePath
18
18
19 from IPython.utils.py3compat import cast_unicode
19 from IPython.utils.py3compat import cast_unicode
20 from IPython.testing.skipdoctest import skip_doctest
20 from IPython.testing.skipdoctest import skip_doctest
21
21
22 __all__ = ['display', 'display_pretty', 'display_html', 'display_markdown',
22 __all__ = ['display', 'display_pretty', 'display_html', 'display_markdown',
23 'display_svg', 'display_png', 'display_jpeg', 'display_latex', 'display_json',
23 'display_svg', 'display_png', 'display_jpeg', 'display_latex', 'display_json',
24 'display_javascript', 'display_pdf', 'DisplayObject', 'TextDisplayObject',
24 'display_javascript', 'display_pdf', 'DisplayObject', 'TextDisplayObject',
25 'Pretty', 'HTML', 'Markdown', 'Math', 'Latex', 'SVG', 'ProgressBar', 'JSON',
25 'Pretty', 'HTML', 'Markdown', 'Math', 'Latex', 'SVG', 'ProgressBar', 'JSON',
26 'GeoJSON', 'Javascript', 'Image', 'clear_output', 'set_matplotlib_formats',
26 'GeoJSON', 'Javascript', 'Image', 'clear_output', 'set_matplotlib_formats',
27 'set_matplotlib_close', 'publish_display_data', 'update_display', 'DisplayHandle',
27 'set_matplotlib_close', 'publish_display_data', 'update_display', 'DisplayHandle',
28 'Video']
28 'Video']
29
29
30 #-----------------------------------------------------------------------------
30 #-----------------------------------------------------------------------------
31 # utility functions
31 # utility functions
32 #-----------------------------------------------------------------------------
32 #-----------------------------------------------------------------------------
33
33
34 def _safe_exists(path):
34 def _safe_exists(path):
35 """Check path, but don't let exceptions raise"""
35 """Check path, but don't let exceptions raise"""
36 try:
36 try:
37 return os.path.exists(path)
37 return os.path.exists(path)
38 except Exception:
38 except Exception:
39 return False
39 return False
40
40
41 def _merge(d1, d2):
41 def _merge(d1, d2):
42 """Like update, but merges sub-dicts instead of clobbering at the top level.
42 """Like update, but merges sub-dicts instead of clobbering at the top level.
43
43
44 Updates d1 in-place
44 Updates d1 in-place
45 """
45 """
46
46
47 if not isinstance(d2, dict) or not isinstance(d1, dict):
47 if not isinstance(d2, dict) or not isinstance(d1, dict):
48 return d2
48 return d2
49 for key, value in d2.items():
49 for key, value in d2.items():
50 d1[key] = _merge(d1.get(key), value)
50 d1[key] = _merge(d1.get(key), value)
51 return d1
51 return d1
52
52
53 def _display_mimetype(mimetype, objs, raw=False, metadata=None):
53 def _display_mimetype(mimetype, objs, raw=False, metadata=None):
54 """internal implementation of all display_foo methods
54 """internal implementation of all display_foo methods
55
55
56 Parameters
56 Parameters
57 ----------
57 ----------
58 mimetype : str
58 mimetype : str
59 The mimetype to be published (e.g. 'image/png')
59 The mimetype to be published (e.g. 'image/png')
60 objs : tuple of objects
60 objs : tuple of objects
61 The Python objects to display, or if raw=True raw text data to
61 The Python objects to display, or if raw=True raw text data to
62 display.
62 display.
63 raw : bool
63 raw : bool
64 Are the data objects raw data or Python objects that need to be
64 Are the data objects raw data or Python objects that need to be
65 formatted before display? [default: False]
65 formatted before display? [default: False]
66 metadata : dict (optional)
66 metadata : dict (optional)
67 Metadata to be associated with the specific mimetype output.
67 Metadata to be associated with the specific mimetype output.
68 """
68 """
69 if metadata:
69 if metadata:
70 metadata = {mimetype: metadata}
70 metadata = {mimetype: metadata}
71 if raw:
71 if raw:
72 # turn list of pngdata into list of { 'image/png': pngdata }
72 # turn list of pngdata into list of { 'image/png': pngdata }
73 objs = [ {mimetype: obj} for obj in objs ]
73 objs = [ {mimetype: obj} for obj in objs ]
74 display(*objs, raw=raw, metadata=metadata, include=[mimetype])
74 display(*objs, raw=raw, metadata=metadata, include=[mimetype])
75
75
76 #-----------------------------------------------------------------------------
76 #-----------------------------------------------------------------------------
77 # Main functions
77 # Main functions
78 #-----------------------------------------------------------------------------
78 #-----------------------------------------------------------------------------
79
79
80 # use * to indicate transient is keyword-only
80 # use * to indicate transient is keyword-only
81 def publish_display_data(data, metadata=None, source=None, *, transient=None, **kwargs):
81 def publish_display_data(data, metadata=None, source=None, *, transient=None, **kwargs):
82 """Publish data and metadata to all frontends.
82 """Publish data and metadata to all frontends.
83
83
84 See the ``display_data`` message in the messaging documentation for
84 See the ``display_data`` message in the messaging documentation for
85 more details about this message type.
85 more details about this message type.
86
86
87 Keys of data and metadata can be any mime-type.
87 Keys of data and metadata can be any mime-type.
88
88
89 Parameters
89 Parameters
90 ----------
90 ----------
91 data : dict
91 data : dict
92 A dictionary having keys that are valid MIME types (like
92 A dictionary having keys that are valid MIME types (like
93 'text/plain' or 'image/svg+xml') and values that are the data for
93 'text/plain' or 'image/svg+xml') and values that are the data for
94 that MIME type. The data itself must be a JSON'able data
94 that MIME type. The data itself must be a JSON'able data
95 structure. Minimally all data should have the 'text/plain' data,
95 structure. Minimally all data should have the 'text/plain' data,
96 which can be displayed by all frontends. If more than the plain
96 which can be displayed by all frontends. If more than the plain
97 text is given, it is up to the frontend to decide which
97 text is given, it is up to the frontend to decide which
98 representation to use.
98 representation to use.
99 metadata : dict
99 metadata : dict
100 A dictionary for metadata related to the data. This can contain
100 A dictionary for metadata related to the data. This can contain
101 arbitrary key, value pairs that frontends can use to interpret
101 arbitrary key, value pairs that frontends can use to interpret
102 the data. mime-type keys matching those in data can be used
102 the data. mime-type keys matching those in data can be used
103 to specify metadata about particular representations.
103 to specify metadata about particular representations.
104 source : str, deprecated
104 source : str, deprecated
105 Unused.
105 Unused.
106 transient : dict, keyword-only
106 transient : dict, keyword-only
107 A dictionary of transient data, such as display_id.
107 A dictionary of transient data, such as display_id.
108 """
108 """
109 from IPython.core.interactiveshell import InteractiveShell
109 from IPython.core.interactiveshell import InteractiveShell
110
110
111 display_pub = InteractiveShell.instance().display_pub
111 display_pub = InteractiveShell.instance().display_pub
112
112
113 # only pass transient if supplied,
113 # only pass transient if supplied,
114 # to avoid errors with older ipykernel.
114 # to avoid errors with older ipykernel.
115 # TODO: We could check for ipykernel version and provide a detailed upgrade message.
115 # TODO: We could check for ipykernel version and provide a detailed upgrade message.
116 if transient:
116 if transient:
117 kwargs['transient'] = transient
117 kwargs['transient'] = transient
118
118
119 display_pub.publish(
119 display_pub.publish(
120 data=data,
120 data=data,
121 metadata=metadata,
121 metadata=metadata,
122 **kwargs
122 **kwargs
123 )
123 )
124
124
125
125
126 def _new_id():
126 def _new_id():
127 """Generate a new random text id with urandom"""
127 """Generate a new random text id with urandom"""
128 return b2a_hex(os.urandom(16)).decode('ascii')
128 return b2a_hex(os.urandom(16)).decode('ascii')
129
129
130
130
131 def display(*objs, include=None, exclude=None, metadata=None, transient=None, display_id=None, **kwargs):
131 def display(*objs, include=None, exclude=None, metadata=None, transient=None, display_id=None, **kwargs):
132 """Display a Python object in all frontends.
132 """Display a Python object in all frontends.
133
133
134 By default all representations will be computed and sent to the frontends.
134 By default all representations will be computed and sent to the frontends.
135 Frontends can decide which representation is used and how.
135 Frontends can decide which representation is used and how.
136
136
137 In terminal IPython this will be similar to using :func:`print`, for use in richer
137 In terminal IPython this will be similar to using :func:`print`, for use in richer
138 frontends see Jupyter notebook examples with rich display logic.
138 frontends see Jupyter notebook examples with rich display logic.
139
139
140 Parameters
140 Parameters
141 ----------
141 ----------
142 objs : tuple of objects
142 objs : tuple of objects
143 The Python objects to display.
143 The Python objects to display.
144 raw : bool, optional
144 raw : bool, optional
145 Are the objects to be displayed already mimetype-keyed dicts of raw display data,
145 Are the objects to be displayed already mimetype-keyed dicts of raw display data,
146 or Python objects that need to be formatted before display? [default: False]
146 or Python objects that need to be formatted before display? [default: False]
147 include : list, tuple or set, optional
147 include : list, tuple or set, optional
148 A list of format type strings (MIME types) to include in the
148 A list of format type strings (MIME types) to include in the
149 format data dict. If this is set *only* the format types included
149 format data dict. If this is set *only* the format types included
150 in this list will be computed.
150 in this list will be computed.
151 exclude : list, tuple or set, optional
151 exclude : list, tuple or set, optional
152 A list of format type strings (MIME types) to exclude in the format
152 A list of format type strings (MIME types) to exclude in the format
153 data dict. If this is set all format types will be computed,
153 data dict. If this is set all format types will be computed,
154 except for those included in this argument.
154 except for those included in this argument.
155 metadata : dict, optional
155 metadata : dict, optional
156 A dictionary of metadata to associate with the output.
156 A dictionary of metadata to associate with the output.
157 mime-type keys in this dictionary will be associated with the individual
157 mime-type keys in this dictionary will be associated with the individual
158 representation formats, if they exist.
158 representation formats, if they exist.
159 transient : dict, optional
159 transient : dict, optional
160 A dictionary of transient data to associate with the output.
160 A dictionary of transient data to associate with the output.
161 Data in this dict should not be persisted to files (e.g. notebooks).
161 Data in this dict should not be persisted to files (e.g. notebooks).
162 display_id : str, bool optional
162 display_id : str, bool optional
163 Set an id for the display.
163 Set an id for the display.
164 This id can be used for updating this display area later via update_display.
164 This id can be used for updating this display area later via update_display.
165 If given as `True`, generate a new `display_id`
165 If given as `True`, generate a new `display_id`
166 kwargs: additional keyword-args, optional
166 kwargs: additional keyword-args, optional
167 Additional keyword-arguments are passed through to the display publisher.
167 Additional keyword-arguments are passed through to the display publisher.
168
168
169 Returns
169 Returns
170 -------
170 -------
171
171
172 handle: DisplayHandle
172 handle: DisplayHandle
173 Returns a handle on updatable displays for use with :func:`update_display`,
173 Returns a handle on updatable displays for use with :func:`update_display`,
174 if `display_id` is given. Returns :any:`None` if no `display_id` is given
174 if `display_id` is given. Returns :any:`None` if no `display_id` is given
175 (default).
175 (default).
176
176
177 Examples
177 Examples
178 --------
178 --------
179
179
180 >>> class Json(object):
180 >>> class Json(object):
181 ... def __init__(self, json):
181 ... def __init__(self, json):
182 ... self.json = json
182 ... self.json = json
183 ... def _repr_pretty_(self, pp, cycle):
183 ... def _repr_pretty_(self, pp, cycle):
184 ... import json
184 ... import json
185 ... pp.text(json.dumps(self.json, indent=2))
185 ... pp.text(json.dumps(self.json, indent=2))
186 ... def __repr__(self):
186 ... def __repr__(self):
187 ... return str(self.json)
187 ... return str(self.json)
188 ...
188 ...
189
189
190 >>> d = Json({1:2, 3: {4:5}})
190 >>> d = Json({1:2, 3: {4:5}})
191
191
192 >>> print(d)
192 >>> print(d)
193 {1: 2, 3: {4: 5}}
193 {1: 2, 3: {4: 5}}
194
194
195 >>> display(d)
195 >>> display(d)
196 {
196 {
197 "1": 2,
197 "1": 2,
198 "3": {
198 "3": {
199 "4": 5
199 "4": 5
200 }
200 }
201 }
201 }
202
202
203 >>> def int_formatter(integer, pp, cycle):
203 >>> def int_formatter(integer, pp, cycle):
204 ... pp.text('I'*integer)
204 ... pp.text('I'*integer)
205
205
206 >>> plain = get_ipython().display_formatter.formatters['text/plain']
206 >>> plain = get_ipython().display_formatter.formatters['text/plain']
207 >>> plain.for_type(int, int_formatter)
207 >>> plain.for_type(int, int_formatter)
208 <function _repr_pprint at 0x...>
208 <function _repr_pprint at 0x...>
209 >>> display(7-5)
209 >>> display(7-5)
210 II
210 II
211
211
212 >>> del plain.type_printers[int]
212 >>> del plain.type_printers[int]
213 >>> display(7-5)
213 >>> display(7-5)
214 2
214 2
215
215
216 See Also
216 See Also
217 --------
217 --------
218
218
219 :func:`update_display`
219 :func:`update_display`
220
220
221 Notes
221 Notes
222 -----
222 -----
223
223
224 In Python, objects can declare their textual representation using the
224 In Python, objects can declare their textual representation using the
225 `__repr__` method. IPython expands on this idea and allows objects to declare
225 `__repr__` method. IPython expands on this idea and allows objects to declare
226 other, rich representations including:
226 other, rich representations including:
227
227
228 - HTML
228 - HTML
229 - JSON
229 - JSON
230 - PNG
230 - PNG
231 - JPEG
231 - JPEG
232 - SVG
232 - SVG
233 - LaTeX
233 - LaTeX
234
234
235 A single object can declare some or all of these representations; all are
235 A single object can declare some or all of these representations; all are
236 handled by IPython's display system.
236 handled by IPython's display system.
237
237
238 The main idea of the first approach is that you have to implement special
238 The main idea of the first approach is that you have to implement special
239 display methods when you define your class, one for each representation you
239 display methods when you define your class, one for each representation you
240 want to use. Here is a list of the names of the special methods and the
240 want to use. Here is a list of the names of the special methods and the
241 values they must return:
241 values they must return:
242
242
243 - `_repr_html_`: return raw HTML as a string, or a tuple (see below).
243 - `_repr_html_`: return raw HTML as a string, or a tuple (see below).
244 - `_repr_json_`: return a JSONable dict, or a tuple (see below).
244 - `_repr_json_`: return a JSONable dict, or a tuple (see below).
245 - `_repr_jpeg_`: return raw JPEG data, or a tuple (see below).
245 - `_repr_jpeg_`: return raw JPEG data, or a tuple (see below).
246 - `_repr_png_`: return raw PNG data, or a tuple (see below).
246 - `_repr_png_`: return raw PNG data, or a tuple (see below).
247 - `_repr_svg_`: return raw SVG data as a string, or a tuple (see below).
247 - `_repr_svg_`: return raw SVG data as a string, or a tuple (see below).
248 - `_repr_latex_`: return LaTeX commands in a string surrounded by "$",
248 - `_repr_latex_`: return LaTeX commands in a string surrounded by "$",
249 or a tuple (see below).
249 or a tuple (see below).
250 - `_repr_mimebundle_`: return a full mimebundle containing the mapping
250 - `_repr_mimebundle_`: return a full mimebundle containing the mapping
251 from all mimetypes to data.
251 from all mimetypes to data.
252 Use this for any mime-type not listed above.
252 Use this for any mime-type not listed above.
253
253
254 The above functions may also return the object's metadata alonside the
254 The above functions may also return the object's metadata alonside the
255 data. If the metadata is available, the functions will return a tuple
255 data. If the metadata is available, the functions will return a tuple
256 containing the data and metadata, in that order. If there is no metadata
256 containing the data and metadata, in that order. If there is no metadata
257 available, then the functions will return the data only.
257 available, then the functions will return the data only.
258
258
259 When you are directly writing your own classes, you can adapt them for
259 When you are directly writing your own classes, you can adapt them for
260 display in IPython by following the above approach. But in practice, you
260 display in IPython by following the above approach. But in practice, you
261 often need to work with existing classes that you can't easily modify.
261 often need to work with existing classes that you can't easily modify.
262
262
263 You can refer to the documentation on integrating with the display system in
263 You can refer to the documentation on integrating with the display system in
264 order to register custom formatters for already existing types
264 order to register custom formatters for already existing types
265 (:ref:`integrating_rich_display`).
265 (:ref:`integrating_rich_display`).
266
266
267 .. versionadded:: 5.4 display available without import
267 .. versionadded:: 5.4 display available without import
268 .. versionadded:: 6.1 display available without import
268 .. versionadded:: 6.1 display available without import
269
269
270 Since IPython 5.4 and 6.1 :func:`display` is automatically made available to
270 Since IPython 5.4 and 6.1 :func:`display` is automatically made available to
271 the user without import. If you are using display in a document that might
271 the user without import. If you are using display in a document that might
272 be used in a pure python context or with older version of IPython, use the
272 be used in a pure python context or with older version of IPython, use the
273 following import at the top of your file::
273 following import at the top of your file::
274
274
275 from IPython.display import display
275 from IPython.display import display
276
276
277 """
277 """
278 from IPython.core.interactiveshell import InteractiveShell
278 from IPython.core.interactiveshell import InteractiveShell
279
279
280 if not InteractiveShell.initialized():
280 if not InteractiveShell.initialized():
281 # Directly print objects.
281 # Directly print objects.
282 print(*objs)
282 print(*objs)
283 return
283 return
284
284
285 raw = kwargs.pop('raw', False)
285 raw = kwargs.pop('raw', False)
286 if transient is None:
286 if transient is None:
287 transient = {}
287 transient = {}
288 if metadata is None:
288 if metadata is None:
289 metadata={}
289 metadata={}
290 if display_id:
290 if display_id:
291 if display_id is True:
291 if display_id is True:
292 display_id = _new_id()
292 display_id = _new_id()
293 transient['display_id'] = display_id
293 transient['display_id'] = display_id
294 if kwargs.get('update') and 'display_id' not in transient:
294 if kwargs.get('update') and 'display_id' not in transient:
295 raise TypeError('display_id required for update_display')
295 raise TypeError('display_id required for update_display')
296 if transient:
296 if transient:
297 kwargs['transient'] = transient
297 kwargs['transient'] = transient
298
298
299 if not objs and display_id:
299 if not objs and display_id:
300 # if given no objects, but still a request for a display_id,
300 # if given no objects, but still a request for a display_id,
301 # we assume the user wants to insert an empty output that
301 # we assume the user wants to insert an empty output that
302 # can be updated later
302 # can be updated later
303 objs = [{}]
303 objs = [{}]
304 raw = True
304 raw = True
305
305
306 if not raw:
306 if not raw:
307 format = InteractiveShell.instance().display_formatter.format
307 format = InteractiveShell.instance().display_formatter.format
308
308
309 for obj in objs:
309 for obj in objs:
310 if raw:
310 if raw:
311 publish_display_data(data=obj, metadata=metadata, **kwargs)
311 publish_display_data(data=obj, metadata=metadata, **kwargs)
312 else:
312 else:
313 format_dict, md_dict = format(obj, include=include, exclude=exclude)
313 format_dict, md_dict = format(obj, include=include, exclude=exclude)
314 if not format_dict:
314 if not format_dict:
315 # nothing to display (e.g. _ipython_display_ took over)
315 # nothing to display (e.g. _ipython_display_ took over)
316 continue
316 continue
317 if metadata:
317 if metadata:
318 # kwarg-specified metadata gets precedence
318 # kwarg-specified metadata gets precedence
319 _merge(md_dict, metadata)
319 _merge(md_dict, metadata)
320 publish_display_data(data=format_dict, metadata=md_dict, **kwargs)
320 publish_display_data(data=format_dict, metadata=md_dict, **kwargs)
321 if display_id:
321 if display_id:
322 return DisplayHandle(display_id)
322 return DisplayHandle(display_id)
323
323
324
324
325 # use * for keyword-only display_id arg
325 # use * for keyword-only display_id arg
326 def update_display(obj, *, display_id, **kwargs):
326 def update_display(obj, *, display_id, **kwargs):
327 """Update an existing display by id
327 """Update an existing display by id
328
328
329 Parameters
329 Parameters
330 ----------
330 ----------
331
331
332 obj:
332 obj:
333 The object with which to update the display
333 The object with which to update the display
334 display_id: keyword-only
334 display_id: keyword-only
335 The id of the display to update
335 The id of the display to update
336
336
337 See Also
337 See Also
338 --------
338 --------
339
339
340 :func:`display`
340 :func:`display`
341 """
341 """
342 kwargs['update'] = True
342 kwargs['update'] = True
343 display(obj, display_id=display_id, **kwargs)
343 display(obj, display_id=display_id, **kwargs)
344
344
345
345
346 class DisplayHandle(object):
346 class DisplayHandle(object):
347 """A handle on an updatable display
347 """A handle on an updatable display
348
348
349 Call `.update(obj)` to display a new object.
349 Call `.update(obj)` to display a new object.
350
350
351 Call `.display(obj`) to add a new instance of this display,
351 Call `.display(obj`) to add a new instance of this display,
352 and update existing instances.
352 and update existing instances.
353
353
354 See Also
354 See Also
355 --------
355 --------
356
356
357 :func:`display`, :func:`update_display`
357 :func:`display`, :func:`update_display`
358
358
359 """
359 """
360
360
361 def __init__(self, display_id=None):
361 def __init__(self, display_id=None):
362 if display_id is None:
362 if display_id is None:
363 display_id = _new_id()
363 display_id = _new_id()
364 self.display_id = display_id
364 self.display_id = display_id
365
365
366 def __repr__(self):
366 def __repr__(self):
367 return "<%s display_id=%s>" % (self.__class__.__name__, self.display_id)
367 return "<%s display_id=%s>" % (self.__class__.__name__, self.display_id)
368
368
369 def display(self, obj, **kwargs):
369 def display(self, obj, **kwargs):
370 """Make a new display with my id, updating existing instances.
370 """Make a new display with my id, updating existing instances.
371
371
372 Parameters
372 Parameters
373 ----------
373 ----------
374
374
375 obj:
375 obj:
376 object to display
376 object to display
377 **kwargs:
377 **kwargs:
378 additional keyword arguments passed to display
378 additional keyword arguments passed to display
379 """
379 """
380 display(obj, display_id=self.display_id, **kwargs)
380 display(obj, display_id=self.display_id, **kwargs)
381
381
382 def update(self, obj, **kwargs):
382 def update(self, obj, **kwargs):
383 """Update existing displays with my id
383 """Update existing displays with my id
384
384
385 Parameters
385 Parameters
386 ----------
386 ----------
387
387
388 obj:
388 obj:
389 object to display
389 object to display
390 **kwargs:
390 **kwargs:
391 additional keyword arguments passed to update_display
391 additional keyword arguments passed to update_display
392 """
392 """
393 update_display(obj, display_id=self.display_id, **kwargs)
393 update_display(obj, display_id=self.display_id, **kwargs)
394
394
395
395
396 def display_pretty(*objs, **kwargs):
396 def display_pretty(*objs, **kwargs):
397 """Display the pretty (default) representation of an object.
397 """Display the pretty (default) representation of an object.
398
398
399 Parameters
399 Parameters
400 ----------
400 ----------
401 objs : tuple of objects
401 objs : tuple of objects
402 The Python objects to display, or if raw=True raw text data to
402 The Python objects to display, or if raw=True raw text data to
403 display.
403 display.
404 raw : bool
404 raw : bool
405 Are the data objects raw data or Python objects that need to be
405 Are the data objects raw data or Python objects that need to be
406 formatted before display? [default: False]
406 formatted before display? [default: False]
407 metadata : dict (optional)
407 metadata : dict (optional)
408 Metadata to be associated with the specific mimetype output.
408 Metadata to be associated with the specific mimetype output.
409 """
409 """
410 _display_mimetype('text/plain', objs, **kwargs)
410 _display_mimetype('text/plain', objs, **kwargs)
411
411
412
412
413 def display_html(*objs, **kwargs):
413 def display_html(*objs, **kwargs):
414 """Display the HTML representation of an object.
414 """Display the HTML representation of an object.
415
415
416 Note: If raw=False and the object does not have a HTML
416 Note: If raw=False and the object does not have a HTML
417 representation, no HTML will be shown.
417 representation, no HTML will be shown.
418
418
419 Parameters
419 Parameters
420 ----------
420 ----------
421 objs : tuple of objects
421 objs : tuple of objects
422 The Python objects to display, or if raw=True raw HTML data to
422 The Python objects to display, or if raw=True raw HTML data to
423 display.
423 display.
424 raw : bool
424 raw : bool
425 Are the data objects raw data or Python objects that need to be
425 Are the data objects raw data or Python objects that need to be
426 formatted before display? [default: False]
426 formatted before display? [default: False]
427 metadata : dict (optional)
427 metadata : dict (optional)
428 Metadata to be associated with the specific mimetype output.
428 Metadata to be associated with the specific mimetype output.
429 """
429 """
430 _display_mimetype('text/html', objs, **kwargs)
430 _display_mimetype('text/html', objs, **kwargs)
431
431
432
432
433 def display_markdown(*objs, **kwargs):
433 def display_markdown(*objs, **kwargs):
434 """Displays the Markdown representation of an object.
434 """Displays the Markdown representation of an object.
435
435
436 Parameters
436 Parameters
437 ----------
437 ----------
438 objs : tuple of objects
438 objs : tuple of objects
439 The Python objects to display, or if raw=True raw markdown data to
439 The Python objects to display, or if raw=True raw markdown data to
440 display.
440 display.
441 raw : bool
441 raw : bool
442 Are the data objects raw data or Python objects that need to be
442 Are the data objects raw data or Python objects that need to be
443 formatted before display? [default: False]
443 formatted before display? [default: False]
444 metadata : dict (optional)
444 metadata : dict (optional)
445 Metadata to be associated with the specific mimetype output.
445 Metadata to be associated with the specific mimetype output.
446 """
446 """
447
447
448 _display_mimetype('text/markdown', objs, **kwargs)
448 _display_mimetype('text/markdown', objs, **kwargs)
449
449
450
450
451 def display_svg(*objs, **kwargs):
451 def display_svg(*objs, **kwargs):
452 """Display the SVG representation of an object.
452 """Display the SVG representation of an object.
453
453
454 Parameters
454 Parameters
455 ----------
455 ----------
456 objs : tuple of objects
456 objs : tuple of objects
457 The Python objects to display, or if raw=True raw svg data to
457 The Python objects to display, or if raw=True raw svg data to
458 display.
458 display.
459 raw : bool
459 raw : bool
460 Are the data objects raw data or Python objects that need to be
460 Are the data objects raw data or Python objects that need to be
461 formatted before display? [default: False]
461 formatted before display? [default: False]
462 metadata : dict (optional)
462 metadata : dict (optional)
463 Metadata to be associated with the specific mimetype output.
463 Metadata to be associated with the specific mimetype output.
464 """
464 """
465 _display_mimetype('image/svg+xml', objs, **kwargs)
465 _display_mimetype('image/svg+xml', objs, **kwargs)
466
466
467
467
468 def display_png(*objs, **kwargs):
468 def display_png(*objs, **kwargs):
469 """Display the PNG representation of an object.
469 """Display the PNG representation of an object.
470
470
471 Parameters
471 Parameters
472 ----------
472 ----------
473 objs : tuple of objects
473 objs : tuple of objects
474 The Python objects to display, or if raw=True raw png data to
474 The Python objects to display, or if raw=True raw png data to
475 display.
475 display.
476 raw : bool
476 raw : bool
477 Are the data objects raw data or Python objects that need to be
477 Are the data objects raw data or Python objects that need to be
478 formatted before display? [default: False]
478 formatted before display? [default: False]
479 metadata : dict (optional)
479 metadata : dict (optional)
480 Metadata to be associated with the specific mimetype output.
480 Metadata to be associated with the specific mimetype output.
481 """
481 """
482 _display_mimetype('image/png', objs, **kwargs)
482 _display_mimetype('image/png', objs, **kwargs)
483
483
484
484
485 def display_jpeg(*objs, **kwargs):
485 def display_jpeg(*objs, **kwargs):
486 """Display the JPEG representation of an object.
486 """Display the JPEG representation of an object.
487
487
488 Parameters
488 Parameters
489 ----------
489 ----------
490 objs : tuple of objects
490 objs : tuple of objects
491 The Python objects to display, or if raw=True raw JPEG data to
491 The Python objects to display, or if raw=True raw JPEG data to
492 display.
492 display.
493 raw : bool
493 raw : bool
494 Are the data objects raw data or Python objects that need to be
494 Are the data objects raw data or Python objects that need to be
495 formatted before display? [default: False]
495 formatted before display? [default: False]
496 metadata : dict (optional)
496 metadata : dict (optional)
497 Metadata to be associated with the specific mimetype output.
497 Metadata to be associated with the specific mimetype output.
498 """
498 """
499 _display_mimetype('image/jpeg', objs, **kwargs)
499 _display_mimetype('image/jpeg', objs, **kwargs)
500
500
501
501
502 def display_latex(*objs, **kwargs):
502 def display_latex(*objs, **kwargs):
503 """Display the LaTeX representation of an object.
503 """Display the LaTeX representation of an object.
504
504
505 Parameters
505 Parameters
506 ----------
506 ----------
507 objs : tuple of objects
507 objs : tuple of objects
508 The Python objects to display, or if raw=True raw latex data to
508 The Python objects to display, or if raw=True raw latex data to
509 display.
509 display.
510 raw : bool
510 raw : bool
511 Are the data objects raw data or Python objects that need to be
511 Are the data objects raw data or Python objects that need to be
512 formatted before display? [default: False]
512 formatted before display? [default: False]
513 metadata : dict (optional)
513 metadata : dict (optional)
514 Metadata to be associated with the specific mimetype output.
514 Metadata to be associated with the specific mimetype output.
515 """
515 """
516 _display_mimetype('text/latex', objs, **kwargs)
516 _display_mimetype('text/latex', objs, **kwargs)
517
517
518
518
519 def display_json(*objs, **kwargs):
519 def display_json(*objs, **kwargs):
520 """Display the JSON representation of an object.
520 """Display the JSON representation of an object.
521
521
522 Note that not many frontends support displaying JSON.
522 Note that not many frontends support displaying JSON.
523
523
524 Parameters
524 Parameters
525 ----------
525 ----------
526 objs : tuple of objects
526 objs : tuple of objects
527 The Python objects to display, or if raw=True raw json data to
527 The Python objects to display, or if raw=True raw json data to
528 display.
528 display.
529 raw : bool
529 raw : bool
530 Are the data objects raw data or Python objects that need to be
530 Are the data objects raw data or Python objects that need to be
531 formatted before display? [default: False]
531 formatted before display? [default: False]
532 metadata : dict (optional)
532 metadata : dict (optional)
533 Metadata to be associated with the specific mimetype output.
533 Metadata to be associated with the specific mimetype output.
534 """
534 """
535 _display_mimetype('application/json', objs, **kwargs)
535 _display_mimetype('application/json', objs, **kwargs)
536
536
537
537
538 def display_javascript(*objs, **kwargs):
538 def display_javascript(*objs, **kwargs):
539 """Display the Javascript representation of an object.
539 """Display the Javascript representation of an object.
540
540
541 Parameters
541 Parameters
542 ----------
542 ----------
543 objs : tuple of objects
543 objs : tuple of objects
544 The Python objects to display, or if raw=True raw javascript data to
544 The Python objects to display, or if raw=True raw javascript data to
545 display.
545 display.
546 raw : bool
546 raw : bool
547 Are the data objects raw data or Python objects that need to be
547 Are the data objects raw data or Python objects that need to be
548 formatted before display? [default: False]
548 formatted before display? [default: False]
549 metadata : dict (optional)
549 metadata : dict (optional)
550 Metadata to be associated with the specific mimetype output.
550 Metadata to be associated with the specific mimetype output.
551 """
551 """
552 _display_mimetype('application/javascript', objs, **kwargs)
552 _display_mimetype('application/javascript', objs, **kwargs)
553
553
554
554
555 def display_pdf(*objs, **kwargs):
555 def display_pdf(*objs, **kwargs):
556 """Display the PDF representation of an object.
556 """Display the PDF representation of an object.
557
557
558 Parameters
558 Parameters
559 ----------
559 ----------
560 objs : tuple of objects
560 objs : tuple of objects
561 The Python objects to display, or if raw=True raw javascript data to
561 The Python objects to display, or if raw=True raw javascript data to
562 display.
562 display.
563 raw : bool
563 raw : bool
564 Are the data objects raw data or Python objects that need to be
564 Are the data objects raw data or Python objects that need to be
565 formatted before display? [default: False]
565 formatted before display? [default: False]
566 metadata : dict (optional)
566 metadata : dict (optional)
567 Metadata to be associated with the specific mimetype output.
567 Metadata to be associated with the specific mimetype output.
568 """
568 """
569 _display_mimetype('application/pdf', objs, **kwargs)
569 _display_mimetype('application/pdf', objs, **kwargs)
570
570
571
571
572 #-----------------------------------------------------------------------------
572 #-----------------------------------------------------------------------------
573 # Smart classes
573 # Smart classes
574 #-----------------------------------------------------------------------------
574 #-----------------------------------------------------------------------------
575
575
576
576
577 class DisplayObject(object):
577 class DisplayObject(object):
578 """An object that wraps data to be displayed."""
578 """An object that wraps data to be displayed."""
579
579
580 _read_flags = 'r'
580 _read_flags = 'r'
581 _show_mem_addr = False
581 _show_mem_addr = False
582 metadata = None
582 metadata = None
583
583
584 def __init__(self, data=None, url=None, filename=None, metadata=None):
584 def __init__(self, data=None, url=None, filename=None, metadata=None):
585 """Create a display object given raw data.
585 """Create a display object given raw data.
586
586
587 When this object is returned by an expression or passed to the
587 When this object is returned by an expression or passed to the
588 display function, it will result in the data being displayed
588 display function, it will result in the data being displayed
589 in the frontend. The MIME type of the data should match the
589 in the frontend. The MIME type of the data should match the
590 subclasses used, so the Png subclass should be used for 'image/png'
590 subclasses used, so the Png subclass should be used for 'image/png'
591 data. If the data is a URL, the data will first be downloaded
591 data. If the data is a URL, the data will first be downloaded
592 and then displayed. If
592 and then displayed. If
593
593
594 Parameters
594 Parameters
595 ----------
595 ----------
596 data : unicode, str or bytes
596 data : unicode, str or bytes
597 The raw data or a URL or file to load the data from
597 The raw data or a URL or file to load the data from
598 url : unicode
598 url : unicode
599 A URL to download the data from.
599 A URL to download the data from.
600 filename : unicode
600 filename : unicode
601 Path to a local file to load the data from.
601 Path to a local file to load the data from.
602 metadata : dict
602 metadata : dict
603 Dict of metadata associated to be the object when displayed
603 Dict of metadata associated to be the object when displayed
604 """
604 """
605 if isinstance(data, (Path, PurePath)):
605 if isinstance(data, (Path, PurePath)):
606 data = str(data)
606 data = str(data)
607
607
608 if data is not None and isinstance(data, str):
608 if data is not None and isinstance(data, str):
609 if data.startswith('http') and url is None:
609 if data.startswith('http') and url is None:
610 url = data
610 url = data
611 filename = None
611 filename = None
612 data = None
612 data = None
613 elif _safe_exists(data) and filename is None:
613 elif _safe_exists(data) and filename is None:
614 url = None
614 url = None
615 filename = data
615 filename = data
616 data = None
616 data = None
617
617
618 self.data = data
619 self.url = url
618 self.url = url
620 self.filename = filename
619 self.filename = filename
620 # because of @data.setter methods in
621 # subclasses ensure url and filename are set
622 # before assigning to self.data
623 self.data = data
621
624
622 if metadata is not None:
625 if metadata is not None:
623 self.metadata = metadata
626 self.metadata = metadata
624 elif self.metadata is None:
627 elif self.metadata is None:
625 self.metadata = {}
628 self.metadata = {}
626
629
627 self.reload()
630 self.reload()
628 self._check_data()
631 self._check_data()
629
632
630 def __repr__(self):
633 def __repr__(self):
631 if not self._show_mem_addr:
634 if not self._show_mem_addr:
632 cls = self.__class__
635 cls = self.__class__
633 r = "<%s.%s object>" % (cls.__module__, cls.__name__)
636 r = "<%s.%s object>" % (cls.__module__, cls.__name__)
634 else:
637 else:
635 r = super(DisplayObject, self).__repr__()
638 r = super(DisplayObject, self).__repr__()
636 return r
639 return r
637
640
638 def _check_data(self):
641 def _check_data(self):
639 """Override in subclasses if there's something to check."""
642 """Override in subclasses if there's something to check."""
640 pass
643 pass
641
644
642 def _data_and_metadata(self):
645 def _data_and_metadata(self):
643 """shortcut for returning metadata with shape information, if defined"""
646 """shortcut for returning metadata with shape information, if defined"""
644 if self.metadata:
647 if self.metadata:
645 return self.data, deepcopy(self.metadata)
648 return self.data, deepcopy(self.metadata)
646 else:
649 else:
647 return self.data
650 return self.data
648
651
649 def reload(self):
652 def reload(self):
650 """Reload the raw data from file or URL."""
653 """Reload the raw data from file or URL."""
651 if self.filename is not None:
654 if self.filename is not None:
652 with open(self.filename, self._read_flags) as f:
655 with open(self.filename, self._read_flags) as f:
653 self.data = f.read()
656 self.data = f.read()
654 elif self.url is not None:
657 elif self.url is not None:
655 try:
658 # Deferred import
656 # Deferred import
659 from urllib.request import urlopen
657 from urllib.request import urlopen
660 response = urlopen(self.url)
658 response = urlopen(self.url)
661 data = response.read()
659 self.data = response.read()
662 # extract encoding from header, if there is one:
660 # extract encoding from header, if there is one:
663 encoding = None
661 encoding = None
664 if 'content-type' in response.headers:
662 for sub in response.headers['content-type'].split(';'):
665 for sub in response.headers['content-type'].split(';'):
663 sub = sub.strip()
666 sub = sub.strip()
664 if sub.startswith('charset'):
667 if sub.startswith('charset'):
665 encoding = sub.split('=')[-1].strip()
668 encoding = sub.split('=')[-1].strip()
666 break
669 break
667 # decode data, if an encoding was specified
670 if 'content-encoding' in response.headers:
668 if encoding:
671 # TODO: do deflate?
669 self.data = self.data.decode(encoding, 'replace')
672 if 'gzip' in response.headers['content-encoding']:
670 except:
673 import gzip
671 self.data = None
674 from io import BytesIO
675 with gzip.open(BytesIO(data), 'rt', encoding=encoding) as fp:
676 encoding = None
677 data = fp.read()
678
679 # decode data, if an encoding was specified
680 # We only touch self.data once since
681 # subclasses such as SVG have @data.setter methods
682 # that transform self.data into ... well svg.
683 if encoding:
684 self.data = data.decode(encoding, 'replace')
685 else:
686 self.data = data
687
672
688
673 class TextDisplayObject(DisplayObject):
689 class TextDisplayObject(DisplayObject):
674 """Validate that display data is text"""
690 """Validate that display data is text"""
675 def _check_data(self):
691 def _check_data(self):
676 if self.data is not None and not isinstance(self.data, str):
692 if self.data is not None and not isinstance(self.data, str):
677 raise TypeError("%s expects text, not %r" % (self.__class__.__name__, self.data))
693 raise TypeError("%s expects text, not %r" % (self.__class__.__name__, self.data))
678
694
679 class Pretty(TextDisplayObject):
695 class Pretty(TextDisplayObject):
680
696
681 def _repr_pretty_(self, pp, cycle):
697 def _repr_pretty_(self, pp, cycle):
682 return pp.text(self.data)
698 return pp.text(self.data)
683
699
684
700
685 class HTML(TextDisplayObject):
701 class HTML(TextDisplayObject):
686
702
687 def __init__(self, data=None, url=None, filename=None, metadata=None):
703 def __init__(self, data=None, url=None, filename=None, metadata=None):
688 def warn():
704 def warn():
689 if not data:
705 if not data:
690 return False
706 return False
691
707
692 #
708 #
693 # Avoid calling lower() on the entire data, because it could be a
709 # Avoid calling lower() on the entire data, because it could be a
694 # long string and we're only interested in its beginning and end.
710 # long string and we're only interested in its beginning and end.
695 #
711 #
696 prefix = data[:10].lower()
712 prefix = data[:10].lower()
697 suffix = data[-10:].lower()
713 suffix = data[-10:].lower()
698 return prefix.startswith("<iframe ") and suffix.endswith("</iframe>")
714 return prefix.startswith("<iframe ") and suffix.endswith("</iframe>")
699
715
700 if warn():
716 if warn():
701 warnings.warn("Consider using IPython.display.IFrame instead")
717 warnings.warn("Consider using IPython.display.IFrame instead")
702 super(HTML, self).__init__(data=data, url=url, filename=filename, metadata=metadata)
718 super(HTML, self).__init__(data=data, url=url, filename=filename, metadata=metadata)
703
719
704 def _repr_html_(self):
720 def _repr_html_(self):
705 return self._data_and_metadata()
721 return self._data_and_metadata()
706
722
707 def __html__(self):
723 def __html__(self):
708 """
724 """
709 This method exists to inform other HTML-using modules (e.g. Markupsafe,
725 This method exists to inform other HTML-using modules (e.g. Markupsafe,
710 htmltag, etc) that this object is HTML and does not need things like
726 htmltag, etc) that this object is HTML and does not need things like
711 special characters (<>&) escaped.
727 special characters (<>&) escaped.
712 """
728 """
713 return self._repr_html_()
729 return self._repr_html_()
714
730
715
731
716 class Markdown(TextDisplayObject):
732 class Markdown(TextDisplayObject):
717
733
718 def _repr_markdown_(self):
734 def _repr_markdown_(self):
719 return self._data_and_metadata()
735 return self._data_and_metadata()
720
736
721
737
722 class Math(TextDisplayObject):
738 class Math(TextDisplayObject):
723
739
724 def _repr_latex_(self):
740 def _repr_latex_(self):
725 s = r"$\displaystyle %s$" % self.data.strip('$')
741 s = r"$\displaystyle %s$" % self.data.strip('$')
726 if self.metadata:
742 if self.metadata:
727 return s, deepcopy(self.metadata)
743 return s, deepcopy(self.metadata)
728 else:
744 else:
729 return s
745 return s
730
746
731
747
732 class Latex(TextDisplayObject):
748 class Latex(TextDisplayObject):
733
749
734 def _repr_latex_(self):
750 def _repr_latex_(self):
735 return self._data_and_metadata()
751 return self._data_and_metadata()
736
752
737
753
738 class SVG(DisplayObject):
754 class SVG(DisplayObject):
755 """Embed an SVG into the display.
756
757 Note if you just want to view a svg image via a URL use `:class:Image` with
758 a url=URL keyword argument.
759 """
739
760
740 _read_flags = 'rb'
761 _read_flags = 'rb'
741 # wrap data in a property, which extracts the <svg> tag, discarding
762 # wrap data in a property, which extracts the <svg> tag, discarding
742 # document headers
763 # document headers
743 _data = None
764 _data = None
744
765
745 @property
766 @property
746 def data(self):
767 def data(self):
747 return self._data
768 return self._data
748
769
749 @data.setter
770 @data.setter
750 def data(self, svg):
771 def data(self, svg):
751 if svg is None:
772 if svg is None:
752 self._data = None
773 self._data = None
753 return
774 return
754 # parse into dom object
775 # parse into dom object
755 from xml.dom import minidom
776 from xml.dom import minidom
756 x = minidom.parseString(svg)
777 x = minidom.parseString(svg)
757 # get svg tag (should be 1)
778 # get svg tag (should be 1)
758 found_svg = x.getElementsByTagName('svg')
779 found_svg = x.getElementsByTagName('svg')
759 if found_svg:
780 if found_svg:
760 svg = found_svg[0].toxml()
781 svg = found_svg[0].toxml()
761 else:
782 else:
762 # fallback on the input, trust the user
783 # fallback on the input, trust the user
763 # but this is probably an error.
784 # but this is probably an error.
764 pass
785 pass
765 svg = cast_unicode(svg)
786 svg = cast_unicode(svg)
766 self._data = svg
787 self._data = svg
767
788
768 def _repr_svg_(self):
789 def _repr_svg_(self):
769 return self._data_and_metadata()
790 return self._data_and_metadata()
770
791
771 class ProgressBar(DisplayObject):
792 class ProgressBar(DisplayObject):
772 """Progressbar supports displaying a progressbar like element
793 """Progressbar supports displaying a progressbar like element
773 """
794 """
774 def __init__(self, total):
795 def __init__(self, total):
775 """Creates a new progressbar
796 """Creates a new progressbar
776
797
777 Parameters
798 Parameters
778 ----------
799 ----------
779 total : int
800 total : int
780 maximum size of the progressbar
801 maximum size of the progressbar
781 """
802 """
782 self.total = total
803 self.total = total
783 self._progress = 0
804 self._progress = 0
784 self.html_width = '60ex'
805 self.html_width = '60ex'
785 self.text_width = 60
806 self.text_width = 60
786 self._display_id = hexlify(os.urandom(8)).decode('ascii')
807 self._display_id = hexlify(os.urandom(8)).decode('ascii')
787
808
788 def __repr__(self):
809 def __repr__(self):
789 fraction = self.progress / self.total
810 fraction = self.progress / self.total
790 filled = '=' * int(fraction * self.text_width)
811 filled = '=' * int(fraction * self.text_width)
791 rest = ' ' * (self.text_width - len(filled))
812 rest = ' ' * (self.text_width - len(filled))
792 return '[{}{}] {}/{}'.format(
813 return '[{}{}] {}/{}'.format(
793 filled, rest,
814 filled, rest,
794 self.progress, self.total,
815 self.progress, self.total,
795 )
816 )
796
817
797 def _repr_html_(self):
818 def _repr_html_(self):
798 return "<progress style='width:{}' max='{}' value='{}'></progress>".format(
819 return "<progress style='width:{}' max='{}' value='{}'></progress>".format(
799 self.html_width, self.total, self.progress)
820 self.html_width, self.total, self.progress)
800
821
801 def display(self):
822 def display(self):
802 display(self, display_id=self._display_id)
823 display(self, display_id=self._display_id)
803
824
804 def update(self):
825 def update(self):
805 display(self, display_id=self._display_id, update=True)
826 display(self, display_id=self._display_id, update=True)
806
827
807 @property
828 @property
808 def progress(self):
829 def progress(self):
809 return self._progress
830 return self._progress
810
831
811 @progress.setter
832 @progress.setter
812 def progress(self, value):
833 def progress(self, value):
813 self._progress = value
834 self._progress = value
814 self.update()
835 self.update()
815
836
816 def __iter__(self):
837 def __iter__(self):
817 self.display()
838 self.display()
818 self._progress = -1 # First iteration is 0
839 self._progress = -1 # First iteration is 0
819 return self
840 return self
820
841
821 def __next__(self):
842 def __next__(self):
822 """Returns current value and increments display by one."""
843 """Returns current value and increments display by one."""
823 self.progress += 1
844 self.progress += 1
824 if self.progress < self.total:
845 if self.progress < self.total:
825 return self.progress
846 return self.progress
826 else:
847 else:
827 raise StopIteration()
848 raise StopIteration()
828
849
829 class JSON(DisplayObject):
850 class JSON(DisplayObject):
830 """JSON expects a JSON-able dict or list
851 """JSON expects a JSON-able dict or list
831
852
832 not an already-serialized JSON string.
853 not an already-serialized JSON string.
833
854
834 Scalar types (None, number, string) are not allowed, only dict or list containers.
855 Scalar types (None, number, string) are not allowed, only dict or list containers.
835 """
856 """
836 # wrap data in a property, which warns about passing already-serialized JSON
857 # wrap data in a property, which warns about passing already-serialized JSON
837 _data = None
858 _data = None
838 def __init__(self, data=None, url=None, filename=None, expanded=False, metadata=None, root='root', **kwargs):
859 def __init__(self, data=None, url=None, filename=None, expanded=False, metadata=None, root='root', **kwargs):
839 """Create a JSON display object given raw data.
860 """Create a JSON display object given raw data.
840
861
841 Parameters
862 Parameters
842 ----------
863 ----------
843 data : dict or list
864 data : dict or list
844 JSON data to display. Not an already-serialized JSON string.
865 JSON data to display. Not an already-serialized JSON string.
845 Scalar types (None, number, string) are not allowed, only dict
866 Scalar types (None, number, string) are not allowed, only dict
846 or list containers.
867 or list containers.
847 url : unicode
868 url : unicode
848 A URL to download the data from.
869 A URL to download the data from.
849 filename : unicode
870 filename : unicode
850 Path to a local file to load the data from.
871 Path to a local file to load the data from.
851 expanded : boolean
872 expanded : boolean
852 Metadata to control whether a JSON display component is expanded.
873 Metadata to control whether a JSON display component is expanded.
853 metadata: dict
874 metadata: dict
854 Specify extra metadata to attach to the json display object.
875 Specify extra metadata to attach to the json display object.
855 root : str
876 root : str
856 The name of the root element of the JSON tree
877 The name of the root element of the JSON tree
857 """
878 """
858 self.metadata = {
879 self.metadata = {
859 'expanded': expanded,
880 'expanded': expanded,
860 'root': root,
881 'root': root,
861 }
882 }
862 if metadata:
883 if metadata:
863 self.metadata.update(metadata)
884 self.metadata.update(metadata)
864 if kwargs:
885 if kwargs:
865 self.metadata.update(kwargs)
886 self.metadata.update(kwargs)
866 super(JSON, self).__init__(data=data, url=url, filename=filename)
887 super(JSON, self).__init__(data=data, url=url, filename=filename)
867
888
868 def _check_data(self):
889 def _check_data(self):
869 if self.data is not None and not isinstance(self.data, (dict, list)):
890 if self.data is not None and not isinstance(self.data, (dict, list)):
870 raise TypeError("%s expects JSONable dict or list, not %r" % (self.__class__.__name__, self.data))
891 raise TypeError("%s expects JSONable dict or list, not %r" % (self.__class__.__name__, self.data))
871
892
872 @property
893 @property
873 def data(self):
894 def data(self):
874 return self._data
895 return self._data
875
896
876 @data.setter
897 @data.setter
877 def data(self, data):
898 def data(self, data):
878 if isinstance(data, (Path, PurePath)):
899 if isinstance(data, (Path, PurePath)):
879 data = str(data)
900 data = str(data)
880
901
881 if isinstance(data, str):
902 if isinstance(data, str):
882 if getattr(self, 'filename', None) is None:
903 if self.filename is None and self.url is None:
883 warnings.warn("JSON expects JSONable dict or list, not JSON strings")
904 warnings.warn("JSON expects JSONable dict or list, not JSON strings")
884 data = json.loads(data)
905 data = json.loads(data)
885 self._data = data
906 self._data = data
886
907
887 def _data_and_metadata(self):
908 def _data_and_metadata(self):
888 return self.data, self.metadata
909 return self.data, self.metadata
889
910
890 def _repr_json_(self):
911 def _repr_json_(self):
891 return self._data_and_metadata()
912 return self._data_and_metadata()
892
913
893 _css_t = """var link = document.createElement("link");
914 _css_t = """var link = document.createElement("link");
894 link.ref = "stylesheet";
915 link.ref = "stylesheet";
895 link.type = "text/css";
916 link.type = "text/css";
896 link.href = "%s";
917 link.href = "%s";
897 document.head.appendChild(link);
918 document.head.appendChild(link);
898 """
919 """
899
920
900 _lib_t1 = """new Promise(function(resolve, reject) {
921 _lib_t1 = """new Promise(function(resolve, reject) {
901 var script = document.createElement("script");
922 var script = document.createElement("script");
902 script.onload = resolve;
923 script.onload = resolve;
903 script.onerror = reject;
924 script.onerror = reject;
904 script.src = "%s";
925 script.src = "%s";
905 document.head.appendChild(script);
926 document.head.appendChild(script);
906 }).then(() => {
927 }).then(() => {
907 """
928 """
908
929
909 _lib_t2 = """
930 _lib_t2 = """
910 });"""
931 });"""
911
932
912 class GeoJSON(JSON):
933 class GeoJSON(JSON):
913 """GeoJSON expects JSON-able dict
934 """GeoJSON expects JSON-able dict
914
935
915 not an already-serialized JSON string.
936 not an already-serialized JSON string.
916
937
917 Scalar types (None, number, string) are not allowed, only dict containers.
938 Scalar types (None, number, string) are not allowed, only dict containers.
918 """
939 """
919
940
920 def __init__(self, *args, **kwargs):
941 def __init__(self, *args, **kwargs):
921 """Create a GeoJSON display object given raw data.
942 """Create a GeoJSON display object given raw data.
922
943
923 Parameters
944 Parameters
924 ----------
945 ----------
925 data : dict or list
946 data : dict or list
926 VegaLite data. Not an already-serialized JSON string.
947 VegaLite data. Not an already-serialized JSON string.
927 Scalar types (None, number, string) are not allowed, only dict
948 Scalar types (None, number, string) are not allowed, only dict
928 or list containers.
949 or list containers.
929 url_template : string
950 url_template : string
930 Leaflet TileLayer URL template: http://leafletjs.com/reference.html#url-template
951 Leaflet TileLayer URL template: http://leafletjs.com/reference.html#url-template
931 layer_options : dict
952 layer_options : dict
932 Leaflet TileLayer options: http://leafletjs.com/reference.html#tilelayer-options
953 Leaflet TileLayer options: http://leafletjs.com/reference.html#tilelayer-options
933 url : unicode
954 url : unicode
934 A URL to download the data from.
955 A URL to download the data from.
935 filename : unicode
956 filename : unicode
936 Path to a local file to load the data from.
957 Path to a local file to load the data from.
937 metadata: dict
958 metadata: dict
938 Specify extra metadata to attach to the json display object.
959 Specify extra metadata to attach to the json display object.
939
960
940 Examples
961 Examples
941 --------
962 --------
942
963
943 The following will display an interactive map of Mars with a point of
964 The following will display an interactive map of Mars with a point of
944 interest on frontend that do support GeoJSON display.
965 interest on frontend that do support GeoJSON display.
945
966
946 >>> from IPython.display import GeoJSON
967 >>> from IPython.display import GeoJSON
947
968
948 >>> GeoJSON(data={
969 >>> GeoJSON(data={
949 ... "type": "Feature",
970 ... "type": "Feature",
950 ... "geometry": {
971 ... "geometry": {
951 ... "type": "Point",
972 ... "type": "Point",
952 ... "coordinates": [-81.327, 296.038]
973 ... "coordinates": [-81.327, 296.038]
953 ... }
974 ... }
954 ... },
975 ... },
955 ... url_template="http://s3-eu-west-1.amazonaws.com/whereonmars.cartodb.net/{basemap_id}/{z}/{x}/{y}.png",
976 ... url_template="http://s3-eu-west-1.amazonaws.com/whereonmars.cartodb.net/{basemap_id}/{z}/{x}/{y}.png",
956 ... layer_options={
977 ... layer_options={
957 ... "basemap_id": "celestia_mars-shaded-16k_global",
978 ... "basemap_id": "celestia_mars-shaded-16k_global",
958 ... "attribution" : "Celestia/praesepe",
979 ... "attribution" : "Celestia/praesepe",
959 ... "minZoom" : 0,
980 ... "minZoom" : 0,
960 ... "maxZoom" : 18,
981 ... "maxZoom" : 18,
961 ... })
982 ... })
962 <IPython.core.display.GeoJSON object>
983 <IPython.core.display.GeoJSON object>
963
984
964 In the terminal IPython, you will only see the text representation of
985 In the terminal IPython, you will only see the text representation of
965 the GeoJSON object.
986 the GeoJSON object.
966
987
967 """
988 """
968
989
969 super(GeoJSON, self).__init__(*args, **kwargs)
990 super(GeoJSON, self).__init__(*args, **kwargs)
970
991
971
992
972 def _ipython_display_(self):
993 def _ipython_display_(self):
973 bundle = {
994 bundle = {
974 'application/geo+json': self.data,
995 'application/geo+json': self.data,
975 'text/plain': '<IPython.display.GeoJSON object>'
996 'text/plain': '<IPython.display.GeoJSON object>'
976 }
997 }
977 metadata = {
998 metadata = {
978 'application/geo+json': self.metadata
999 'application/geo+json': self.metadata
979 }
1000 }
980 display(bundle, metadata=metadata, raw=True)
1001 display(bundle, metadata=metadata, raw=True)
981
1002
982 class Javascript(TextDisplayObject):
1003 class Javascript(TextDisplayObject):
983
1004
984 def __init__(self, data=None, url=None, filename=None, lib=None, css=None):
1005 def __init__(self, data=None, url=None, filename=None, lib=None, css=None):
985 """Create a Javascript display object given raw data.
1006 """Create a Javascript display object given raw data.
986
1007
987 When this object is returned by an expression or passed to the
1008 When this object is returned by an expression or passed to the
988 display function, it will result in the data being displayed
1009 display function, it will result in the data being displayed
989 in the frontend. If the data is a URL, the data will first be
1010 in the frontend. If the data is a URL, the data will first be
990 downloaded and then displayed.
1011 downloaded and then displayed.
991
1012
992 In the Notebook, the containing element will be available as `element`,
1013 In the Notebook, the containing element will be available as `element`,
993 and jQuery will be available. Content appended to `element` will be
1014 and jQuery will be available. Content appended to `element` will be
994 visible in the output area.
1015 visible in the output area.
995
1016
996 Parameters
1017 Parameters
997 ----------
1018 ----------
998 data : unicode, str or bytes
1019 data : unicode, str or bytes
999 The Javascript source code or a URL to download it from.
1020 The Javascript source code or a URL to download it from.
1000 url : unicode
1021 url : unicode
1001 A URL to download the data from.
1022 A URL to download the data from.
1002 filename : unicode
1023 filename : unicode
1003 Path to a local file to load the data from.
1024 Path to a local file to load the data from.
1004 lib : list or str
1025 lib : list or str
1005 A sequence of Javascript library URLs to load asynchronously before
1026 A sequence of Javascript library URLs to load asynchronously before
1006 running the source code. The full URLs of the libraries should
1027 running the source code. The full URLs of the libraries should
1007 be given. A single Javascript library URL can also be given as a
1028 be given. A single Javascript library URL can also be given as a
1008 string.
1029 string.
1009 css: : list or str
1030 css: : list or str
1010 A sequence of css files to load before running the source code.
1031 A sequence of css files to load before running the source code.
1011 The full URLs of the css files should be given. A single css URL
1032 The full URLs of the css files should be given. A single css URL
1012 can also be given as a string.
1033 can also be given as a string.
1013 """
1034 """
1014 if isinstance(lib, str):
1035 if isinstance(lib, str):
1015 lib = [lib]
1036 lib = [lib]
1016 elif lib is None:
1037 elif lib is None:
1017 lib = []
1038 lib = []
1018 if isinstance(css, str):
1039 if isinstance(css, str):
1019 css = [css]
1040 css = [css]
1020 elif css is None:
1041 elif css is None:
1021 css = []
1042 css = []
1022 if not isinstance(lib, (list,tuple)):
1043 if not isinstance(lib, (list,tuple)):
1023 raise TypeError('expected sequence, got: %r' % lib)
1044 raise TypeError('expected sequence, got: %r' % lib)
1024 if not isinstance(css, (list,tuple)):
1045 if not isinstance(css, (list,tuple)):
1025 raise TypeError('expected sequence, got: %r' % css)
1046 raise TypeError('expected sequence, got: %r' % css)
1026 self.lib = lib
1047 self.lib = lib
1027 self.css = css
1048 self.css = css
1028 super(Javascript, self).__init__(data=data, url=url, filename=filename)
1049 super(Javascript, self).__init__(data=data, url=url, filename=filename)
1029
1050
1030 def _repr_javascript_(self):
1051 def _repr_javascript_(self):
1031 r = ''
1052 r = ''
1032 for c in self.css:
1053 for c in self.css:
1033 r += _css_t % c
1054 r += _css_t % c
1034 for l in self.lib:
1055 for l in self.lib:
1035 r += _lib_t1 % l
1056 r += _lib_t1 % l
1036 r += self.data
1057 r += self.data
1037 r += _lib_t2*len(self.lib)
1058 r += _lib_t2*len(self.lib)
1038 return r
1059 return r
1039
1060
1040 # constants for identifying png/jpeg data
1061 # constants for identifying png/jpeg data
1041 _PNG = b'\x89PNG\r\n\x1a\n'
1062 _PNG = b'\x89PNG\r\n\x1a\n'
1042 _JPEG = b'\xff\xd8'
1063 _JPEG = b'\xff\xd8'
1043
1064
1044 def _pngxy(data):
1065 def _pngxy(data):
1045 """read the (width, height) from a PNG header"""
1066 """read the (width, height) from a PNG header"""
1046 ihdr = data.index(b'IHDR')
1067 ihdr = data.index(b'IHDR')
1047 # next 8 bytes are width/height
1068 # next 8 bytes are width/height
1048 return struct.unpack('>ii', data[ihdr+4:ihdr+12])
1069 return struct.unpack('>ii', data[ihdr+4:ihdr+12])
1049
1070
1050 def _jpegxy(data):
1071 def _jpegxy(data):
1051 """read the (width, height) from a JPEG header"""
1072 """read the (width, height) from a JPEG header"""
1052 # adapted from http://www.64lines.com/jpeg-width-height
1073 # adapted from http://www.64lines.com/jpeg-width-height
1053
1074
1054 idx = 4
1075 idx = 4
1055 while True:
1076 while True:
1056 block_size = struct.unpack('>H', data[idx:idx+2])[0]
1077 block_size = struct.unpack('>H', data[idx:idx+2])[0]
1057 idx = idx + block_size
1078 idx = idx + block_size
1058 if data[idx:idx+2] == b'\xFF\xC0':
1079 if data[idx:idx+2] == b'\xFF\xC0':
1059 # found Start of Frame
1080 # found Start of Frame
1060 iSOF = idx
1081 iSOF = idx
1061 break
1082 break
1062 else:
1083 else:
1063 # read another block
1084 # read another block
1064 idx += 2
1085 idx += 2
1065
1086
1066 h, w = struct.unpack('>HH', data[iSOF+5:iSOF+9])
1087 h, w = struct.unpack('>HH', data[iSOF+5:iSOF+9])
1067 return w, h
1088 return w, h
1068
1089
1069 def _gifxy(data):
1090 def _gifxy(data):
1070 """read the (width, height) from a GIF header"""
1091 """read the (width, height) from a GIF header"""
1071 return struct.unpack('<HH', data[6:10])
1092 return struct.unpack('<HH', data[6:10])
1072
1093
1073
1094
1074 class Image(DisplayObject):
1095 class Image(DisplayObject):
1075
1096
1076 _read_flags = 'rb'
1097 _read_flags = 'rb'
1077 _FMT_JPEG = u'jpeg'
1098 _FMT_JPEG = u'jpeg'
1078 _FMT_PNG = u'png'
1099 _FMT_PNG = u'png'
1079 _FMT_GIF = u'gif'
1100 _FMT_GIF = u'gif'
1080 _ACCEPTABLE_EMBEDDINGS = [_FMT_JPEG, _FMT_PNG, _FMT_GIF]
1101 _ACCEPTABLE_EMBEDDINGS = [_FMT_JPEG, _FMT_PNG, _FMT_GIF]
1081 _MIMETYPES = {
1102 _MIMETYPES = {
1082 _FMT_PNG: 'image/png',
1103 _FMT_PNG: 'image/png',
1083 _FMT_JPEG: 'image/jpeg',
1104 _FMT_JPEG: 'image/jpeg',
1084 _FMT_GIF: 'image/gif',
1105 _FMT_GIF: 'image/gif',
1085 }
1106 }
1086
1107
1087 def __init__(self, data=None, url=None, filename=None, format=None,
1108 def __init__(self, data=None, url=None, filename=None, format=None,
1088 embed=None, width=None, height=None, retina=False,
1109 embed=None, width=None, height=None, retina=False,
1089 unconfined=False, metadata=None):
1110 unconfined=False, metadata=None):
1090 """Create a PNG/JPEG/GIF image object given raw data.
1111 """Create a PNG/JPEG/GIF image object given raw data.
1091
1112
1092 When this object is returned by an input cell or passed to the
1113 When this object is returned by an input cell or passed to the
1093 display function, it will result in the image being displayed
1114 display function, it will result in the image being displayed
1094 in the frontend.
1115 in the frontend.
1095
1116
1096 Parameters
1117 Parameters
1097 ----------
1118 ----------
1098 data : unicode, str or bytes
1119 data : unicode, str or bytes
1099 The raw image data or a URL or filename to load the data from.
1120 The raw image data or a URL or filename to load the data from.
1100 This always results in embedded image data.
1121 This always results in embedded image data.
1101 url : unicode
1122 url : unicode
1102 A URL to download the data from. If you specify `url=`,
1123 A URL to download the data from. If you specify `url=`,
1103 the image data will not be embedded unless you also specify `embed=True`.
1124 the image data will not be embedded unless you also specify `embed=True`.
1104 filename : unicode
1125 filename : unicode
1105 Path to a local file to load the data from.
1126 Path to a local file to load the data from.
1106 Images from a file are always embedded.
1127 Images from a file are always embedded.
1107 format : unicode
1128 format : unicode
1108 The format of the image data (png/jpeg/jpg/gif). If a filename or URL is given
1129 The format of the image data (png/jpeg/jpg/gif). If a filename or URL is given
1109 for format will be inferred from the filename extension.
1130 for format will be inferred from the filename extension.
1110 embed : bool
1131 embed : bool
1111 Should the image data be embedded using a data URI (True) or be
1132 Should the image data be embedded using a data URI (True) or be
1112 loaded using an <img> tag. Set this to True if you want the image
1133 loaded using an <img> tag. Set this to True if you want the image
1113 to be viewable later with no internet connection in the notebook.
1134 to be viewable later with no internet connection in the notebook.
1114
1135
1115 Default is `True`, unless the keyword argument `url` is set, then
1136 Default is `True`, unless the keyword argument `url` is set, then
1116 default value is `False`.
1137 default value is `False`.
1117
1138
1118 Note that QtConsole is not able to display images if `embed` is set to `False`
1139 Note that QtConsole is not able to display images if `embed` is set to `False`
1119 width : int
1140 width : int
1120 Width in pixels to which to constrain the image in html
1141 Width in pixels to which to constrain the image in html
1121 height : int
1142 height : int
1122 Height in pixels to which to constrain the image in html
1143 Height in pixels to which to constrain the image in html
1123 retina : bool
1144 retina : bool
1124 Automatically set the width and height to half of the measured
1145 Automatically set the width and height to half of the measured
1125 width and height.
1146 width and height.
1126 This only works for embedded images because it reads the width/height
1147 This only works for embedded images because it reads the width/height
1127 from image data.
1148 from image data.
1128 For non-embedded images, you can just set the desired display width
1149 For non-embedded images, you can just set the desired display width
1129 and height directly.
1150 and height directly.
1130 unconfined: bool
1151 unconfined: bool
1131 Set unconfined=True to disable max-width confinement of the image.
1152 Set unconfined=True to disable max-width confinement of the image.
1132 metadata: dict
1153 metadata: dict
1133 Specify extra metadata to attach to the image.
1154 Specify extra metadata to attach to the image.
1134
1155
1135 Examples
1156 Examples
1136 --------
1157 --------
1137 # embedded image data, works in qtconsole and notebook
1158 # embedded image data, works in qtconsole and notebook
1138 # when passed positionally, the first arg can be any of raw image data,
1159 # when passed positionally, the first arg can be any of raw image data,
1139 # a URL, or a filename from which to load image data.
1160 # a URL, or a filename from which to load image data.
1140 # The result is always embedding image data for inline images.
1161 # The result is always embedding image data for inline images.
1141 Image('http://www.google.fr/images/srpr/logo3w.png')
1162 Image('http://www.google.fr/images/srpr/logo3w.png')
1142 Image('/path/to/image.jpg')
1163 Image('/path/to/image.jpg')
1143 Image(b'RAW_PNG_DATA...')
1164 Image(b'RAW_PNG_DATA...')
1144
1165
1145 # Specifying Image(url=...) does not embed the image data,
1166 # Specifying Image(url=...) does not embed the image data,
1146 # it only generates `<img>` tag with a link to the source.
1167 # it only generates `<img>` tag with a link to the source.
1147 # This will not work in the qtconsole or offline.
1168 # This will not work in the qtconsole or offline.
1148 Image(url='http://www.google.fr/images/srpr/logo3w.png')
1169 Image(url='http://www.google.fr/images/srpr/logo3w.png')
1149
1170
1150 """
1171 """
1151 if isinstance(data, (Path, PurePath)):
1172 if isinstance(data, (Path, PurePath)):
1152 data = str(data)
1173 data = str(data)
1153
1174
1154 if filename is not None:
1175 if filename is not None:
1155 ext = self._find_ext(filename)
1176 ext = self._find_ext(filename)
1156 elif url is not None:
1177 elif url is not None:
1157 ext = self._find_ext(url)
1178 ext = self._find_ext(url)
1158 elif data is None:
1179 elif data is None:
1159 raise ValueError("No image data found. Expecting filename, url, or data.")
1180 raise ValueError("No image data found. Expecting filename, url, or data.")
1160 elif isinstance(data, str) and (
1181 elif isinstance(data, str) and (
1161 data.startswith('http') or _safe_exists(data)
1182 data.startswith('http') or _safe_exists(data)
1162 ):
1183 ):
1163 ext = self._find_ext(data)
1184 ext = self._find_ext(data)
1164 else:
1185 else:
1165 ext = None
1186 ext = None
1166
1187
1167 if format is None:
1188 if format is None:
1168 if ext is not None:
1189 if ext is not None:
1169 if ext == u'jpg' or ext == u'jpeg':
1190 if ext == u'jpg' or ext == u'jpeg':
1170 format = self._FMT_JPEG
1191 format = self._FMT_JPEG
1171 elif ext == u'png':
1192 elif ext == u'png':
1172 format = self._FMT_PNG
1193 format = self._FMT_PNG
1173 elif ext == u'gif':
1194 elif ext == u'gif':
1174 format = self._FMT_GIF
1195 format = self._FMT_GIF
1175 else:
1196 else:
1176 format = ext.lower()
1197 format = ext.lower()
1177 elif isinstance(data, bytes):
1198 elif isinstance(data, bytes):
1178 # infer image type from image data header,
1199 # infer image type from image data header,
1179 # only if format has not been specified.
1200 # only if format has not been specified.
1180 if data[:2] == _JPEG:
1201 if data[:2] == _JPEG:
1181 format = self._FMT_JPEG
1202 format = self._FMT_JPEG
1182
1203
1183 # failed to detect format, default png
1204 # failed to detect format, default png
1184 if format is None:
1205 if format is None:
1185 format = self._FMT_PNG
1206 format = self._FMT_PNG
1186
1207
1187 if format.lower() == 'jpg':
1208 if format.lower() == 'jpg':
1188 # jpg->jpeg
1209 # jpg->jpeg
1189 format = self._FMT_JPEG
1210 format = self._FMT_JPEG
1190
1211
1191 self.format = format.lower()
1212 self.format = format.lower()
1192 self.embed = embed if embed is not None else (url is None)
1213 self.embed = embed if embed is not None else (url is None)
1193
1214
1194 if self.embed and self.format not in self._ACCEPTABLE_EMBEDDINGS:
1215 if self.embed and self.format not in self._ACCEPTABLE_EMBEDDINGS:
1195 raise ValueError("Cannot embed the '%s' image format" % (self.format))
1216 raise ValueError("Cannot embed the '%s' image format" % (self.format))
1196 if self.embed:
1217 if self.embed:
1197 self._mimetype = self._MIMETYPES.get(self.format)
1218 self._mimetype = self._MIMETYPES.get(self.format)
1198
1219
1199 self.width = width
1220 self.width = width
1200 self.height = height
1221 self.height = height
1201 self.retina = retina
1222 self.retina = retina
1202 self.unconfined = unconfined
1223 self.unconfined = unconfined
1203 super(Image, self).__init__(data=data, url=url, filename=filename,
1224 super(Image, self).__init__(data=data, url=url, filename=filename,
1204 metadata=metadata)
1225 metadata=metadata)
1205
1226
1206 if self.width is None and self.metadata.get('width', {}):
1227 if self.width is None and self.metadata.get('width', {}):
1207 self.width = metadata['width']
1228 self.width = metadata['width']
1208
1229
1209 if self.height is None and self.metadata.get('height', {}):
1230 if self.height is None and self.metadata.get('height', {}):
1210 self.height = metadata['height']
1231 self.height = metadata['height']
1211
1232
1212 if retina:
1233 if retina:
1213 self._retina_shape()
1234 self._retina_shape()
1214
1235
1215
1236
1216 def _retina_shape(self):
1237 def _retina_shape(self):
1217 """load pixel-doubled width and height from image data"""
1238 """load pixel-doubled width and height from image data"""
1218 if not self.embed:
1239 if not self.embed:
1219 return
1240 return
1220 if self.format == self._FMT_PNG:
1241 if self.format == self._FMT_PNG:
1221 w, h = _pngxy(self.data)
1242 w, h = _pngxy(self.data)
1222 elif self.format == self._FMT_JPEG:
1243 elif self.format == self._FMT_JPEG:
1223 w, h = _jpegxy(self.data)
1244 w, h = _jpegxy(self.data)
1224 elif self.format == self._FMT_GIF:
1245 elif self.format == self._FMT_GIF:
1225 w, h = _gifxy(self.data)
1246 w, h = _gifxy(self.data)
1226 else:
1247 else:
1227 # retina only supports png
1248 # retina only supports png
1228 return
1249 return
1229 self.width = w // 2
1250 self.width = w // 2
1230 self.height = h // 2
1251 self.height = h // 2
1231
1252
1232 def reload(self):
1253 def reload(self):
1233 """Reload the raw data from file or URL."""
1254 """Reload the raw data from file or URL."""
1234 if self.embed:
1255 if self.embed:
1235 super(Image,self).reload()
1256 super(Image,self).reload()
1236 if self.retina:
1257 if self.retina:
1237 self._retina_shape()
1258 self._retina_shape()
1238
1259
1239 def _repr_html_(self):
1260 def _repr_html_(self):
1240 if not self.embed:
1261 if not self.embed:
1241 width = height = klass = ''
1262 width = height = klass = ''
1242 if self.width:
1263 if self.width:
1243 width = ' width="%d"' % self.width
1264 width = ' width="%d"' % self.width
1244 if self.height:
1265 if self.height:
1245 height = ' height="%d"' % self.height
1266 height = ' height="%d"' % self.height
1246 if self.unconfined:
1267 if self.unconfined:
1247 klass = ' class="unconfined"'
1268 klass = ' class="unconfined"'
1248 return u'<img src="{url}"{width}{height}{klass}/>'.format(
1269 return u'<img src="{url}"{width}{height}{klass}/>'.format(
1249 url=self.url,
1270 url=self.url,
1250 width=width,
1271 width=width,
1251 height=height,
1272 height=height,
1252 klass=klass,
1273 klass=klass,
1253 )
1274 )
1254
1275
1255 def _repr_mimebundle_(self, include=None, exclude=None):
1276 def _repr_mimebundle_(self, include=None, exclude=None):
1256 """Return the image as a mimebundle
1277 """Return the image as a mimebundle
1257
1278
1258 Any new mimetype support should be implemented here.
1279 Any new mimetype support should be implemented here.
1259 """
1280 """
1260 if self.embed:
1281 if self.embed:
1261 mimetype = self._mimetype
1282 mimetype = self._mimetype
1262 data, metadata = self._data_and_metadata(always_both=True)
1283 data, metadata = self._data_and_metadata(always_both=True)
1263 if metadata:
1284 if metadata:
1264 metadata = {mimetype: metadata}
1285 metadata = {mimetype: metadata}
1265 return {mimetype: data}, metadata
1286 return {mimetype: data}, metadata
1266 else:
1287 else:
1267 return {'text/html': self._repr_html_()}
1288 return {'text/html': self._repr_html_()}
1268
1289
1269 def _data_and_metadata(self, always_both=False):
1290 def _data_and_metadata(self, always_both=False):
1270 """shortcut for returning metadata with shape information, if defined"""
1291 """shortcut for returning metadata with shape information, if defined"""
1271 try:
1292 try:
1272 b64_data = b2a_base64(self.data).decode('ascii')
1293 b64_data = b2a_base64(self.data).decode('ascii')
1273 except TypeError:
1294 except TypeError:
1274 raise FileNotFoundError(
1295 raise FileNotFoundError(
1275 "No such file or directory: '%s'" % (self.data))
1296 "No such file or directory: '%s'" % (self.data))
1276 md = {}
1297 md = {}
1277 if self.metadata:
1298 if self.metadata:
1278 md.update(self.metadata)
1299 md.update(self.metadata)
1279 if self.width:
1300 if self.width:
1280 md['width'] = self.width
1301 md['width'] = self.width
1281 if self.height:
1302 if self.height:
1282 md['height'] = self.height
1303 md['height'] = self.height
1283 if self.unconfined:
1304 if self.unconfined:
1284 md['unconfined'] = self.unconfined
1305 md['unconfined'] = self.unconfined
1285 if md or always_both:
1306 if md or always_both:
1286 return b64_data, md
1307 return b64_data, md
1287 else:
1308 else:
1288 return b64_data
1309 return b64_data
1289
1310
1290 def _repr_png_(self):
1311 def _repr_png_(self):
1291 if self.embed and self.format == self._FMT_PNG:
1312 if self.embed and self.format == self._FMT_PNG:
1292 return self._data_and_metadata()
1313 return self._data_and_metadata()
1293
1314
1294 def _repr_jpeg_(self):
1315 def _repr_jpeg_(self):
1295 if self.embed and self.format == self._FMT_JPEG:
1316 if self.embed and self.format == self._FMT_JPEG:
1296 return self._data_and_metadata()
1317 return self._data_and_metadata()
1297
1318
1298 def _find_ext(self, s):
1319 def _find_ext(self, s):
1299 base, ext = splitext(s)
1320 base, ext = splitext(s)
1300
1321
1301 if not ext:
1322 if not ext:
1302 return base
1323 return base
1303
1324
1304 # `splitext` includes leading period, so we skip it
1325 # `splitext` includes leading period, so we skip it
1305 return ext[1:].lower()
1326 return ext[1:].lower()
1306
1327
1307
1328
1308 class Video(DisplayObject):
1329 class Video(DisplayObject):
1309
1330
1310 def __init__(self, data=None, url=None, filename=None, embed=False,
1331 def __init__(self, data=None, url=None, filename=None, embed=False,
1311 mimetype=None, width=None, height=None):
1332 mimetype=None, width=None, height=None):
1312 """Create a video object given raw data or an URL.
1333 """Create a video object given raw data or an URL.
1313
1334
1314 When this object is returned by an input cell or passed to the
1335 When this object is returned by an input cell or passed to the
1315 display function, it will result in the video being displayed
1336 display function, it will result in the video being displayed
1316 in the frontend.
1337 in the frontend.
1317
1338
1318 Parameters
1339 Parameters
1319 ----------
1340 ----------
1320 data : unicode, str or bytes
1341 data : unicode, str or bytes
1321 The raw video data or a URL or filename to load the data from.
1342 The raw video data or a URL or filename to load the data from.
1322 Raw data will require passing `embed=True`.
1343 Raw data will require passing `embed=True`.
1323 url : unicode
1344 url : unicode
1324 A URL for the video. If you specify `url=`,
1345 A URL for the video. If you specify `url=`,
1325 the image data will not be embedded.
1346 the image data will not be embedded.
1326 filename : unicode
1347 filename : unicode
1327 Path to a local file containing the video.
1348 Path to a local file containing the video.
1328 Will be interpreted as a local URL unless `embed=True`.
1349 Will be interpreted as a local URL unless `embed=True`.
1329 embed : bool
1350 embed : bool
1330 Should the video be embedded using a data URI (True) or be
1351 Should the video be embedded using a data URI (True) or be
1331 loaded using a <video> tag (False).
1352 loaded using a <video> tag (False).
1332
1353
1333 Since videos are large, embedding them should be avoided, if possible.
1354 Since videos are large, embedding them should be avoided, if possible.
1334 You must confirm embedding as your intention by passing `embed=True`.
1355 You must confirm embedding as your intention by passing `embed=True`.
1335
1356
1336 Local files can be displayed with URLs without embedding the content, via::
1357 Local files can be displayed with URLs without embedding the content, via::
1337
1358
1338 Video('./video.mp4')
1359 Video('./video.mp4')
1339
1360
1340 mimetype: unicode
1361 mimetype: unicode
1341 Specify the mimetype for embedded videos.
1362 Specify the mimetype for embedded videos.
1342 Default will be guessed from file extension, if available.
1363 Default will be guessed from file extension, if available.
1343 width : int
1364 width : int
1344 Width in pixels to which to constrain the video in HTML.
1365 Width in pixels to which to constrain the video in HTML.
1345 If not supplied, defaults to the width of the video.
1366 If not supplied, defaults to the width of the video.
1346 height : int
1367 height : int
1347 Height in pixels to which to constrain the video in html.
1368 Height in pixels to which to constrain the video in html.
1348 If not supplied, defaults to the height of the video.
1369 If not supplied, defaults to the height of the video.
1349
1370
1350 Examples
1371 Examples
1351 --------
1372 --------
1352
1373
1353 Video('https://archive.org/download/Sita_Sings_the_Blues/Sita_Sings_the_Blues_small.mp4')
1374 Video('https://archive.org/download/Sita_Sings_the_Blues/Sita_Sings_the_Blues_small.mp4')
1354 Video('path/to/video.mp4')
1375 Video('path/to/video.mp4')
1355 Video('path/to/video.mp4', embed=True)
1376 Video('path/to/video.mp4', embed=True)
1356 Video(b'raw-videodata', embed=True)
1377 Video(b'raw-videodata', embed=True)
1357 """
1378 """
1358 if isinstance(data, (Path, PurePath)):
1379 if isinstance(data, (Path, PurePath)):
1359 data = str(data)
1380 data = str(data)
1360
1381
1361 if url is None and isinstance(data, str) and data.startswith(('http:', 'https:')):
1382 if url is None and isinstance(data, str) and data.startswith(('http:', 'https:')):
1362 url = data
1383 url = data
1363 data = None
1384 data = None
1364 elif os.path.exists(data):
1385 elif os.path.exists(data):
1365 filename = data
1386 filename = data
1366 data = None
1387 data = None
1367
1388
1368 if data and not embed:
1389 if data and not embed:
1369 msg = ''.join([
1390 msg = ''.join([
1370 "To embed videos, you must pass embed=True ",
1391 "To embed videos, you must pass embed=True ",
1371 "(this may make your notebook files huge)\n",
1392 "(this may make your notebook files huge)\n",
1372 "Consider passing Video(url='...')",
1393 "Consider passing Video(url='...')",
1373 ])
1394 ])
1374 raise ValueError(msg)
1395 raise ValueError(msg)
1375
1396
1376 self.mimetype = mimetype
1397 self.mimetype = mimetype
1377 self.embed = embed
1398 self.embed = embed
1378 self.width = width
1399 self.width = width
1379 self.height = height
1400 self.height = height
1380 super(Video, self).__init__(data=data, url=url, filename=filename)
1401 super(Video, self).__init__(data=data, url=url, filename=filename)
1381
1402
1382 def _repr_html_(self):
1403 def _repr_html_(self):
1383 width = height = ''
1404 width = height = ''
1384 if self.width:
1405 if self.width:
1385 width = ' width="%d"' % self.width
1406 width = ' width="%d"' % self.width
1386 if self.height:
1407 if self.height:
1387 height = ' height="%d"' % self.height
1408 height = ' height="%d"' % self.height
1388
1409
1389 # External URLs and potentially local files are not embedded into the
1410 # External URLs and potentially local files are not embedded into the
1390 # notebook output.
1411 # notebook output.
1391 if not self.embed:
1412 if not self.embed:
1392 url = self.url if self.url is not None else self.filename
1413 url = self.url if self.url is not None else self.filename
1393 output = """<video src="{0}" controls {1} {2}>
1414 output = """<video src="{0}" controls {1} {2}>
1394 Your browser does not support the <code>video</code> element.
1415 Your browser does not support the <code>video</code> element.
1395 </video>""".format(url, width, height)
1416 </video>""".format(url, width, height)
1396 return output
1417 return output
1397
1418
1398 # Embedded videos are base64-encoded.
1419 # Embedded videos are base64-encoded.
1399 mimetype = self.mimetype
1420 mimetype = self.mimetype
1400 if self.filename is not None:
1421 if self.filename is not None:
1401 if not mimetype:
1422 if not mimetype:
1402 mimetype, _ = mimetypes.guess_type(self.filename)
1423 mimetype, _ = mimetypes.guess_type(self.filename)
1403
1424
1404 with open(self.filename, 'rb') as f:
1425 with open(self.filename, 'rb') as f:
1405 video = f.read()
1426 video = f.read()
1406 else:
1427 else:
1407 video = self.data
1428 video = self.data
1408 if isinstance(video, str):
1429 if isinstance(video, str):
1409 # unicode input is already b64-encoded
1430 # unicode input is already b64-encoded
1410 b64_video = video
1431 b64_video = video
1411 else:
1432 else:
1412 b64_video = b2a_base64(video).decode('ascii').rstrip()
1433 b64_video = b2a_base64(video).decode('ascii').rstrip()
1413
1434
1414 output = """<video controls {0} {1}>
1435 output = """<video controls {0} {1}>
1415 <source src="data:{2};base64,{3}" type="{2}">
1436 <source src="data:{2};base64,{3}" type="{2}">
1416 Your browser does not support the video tag.
1437 Your browser does not support the video tag.
1417 </video>""".format(width, height, mimetype, b64_video)
1438 </video>""".format(width, height, mimetype, b64_video)
1418 return output
1439 return output
1419
1440
1420 def reload(self):
1441 def reload(self):
1421 # TODO
1442 # TODO
1422 pass
1443 pass
1423
1444
1424
1445
1425 def clear_output(wait=False):
1446 def clear_output(wait=False):
1426 """Clear the output of the current cell receiving output.
1447 """Clear the output of the current cell receiving output.
1427
1448
1428 Parameters
1449 Parameters
1429 ----------
1450 ----------
1430 wait : bool [default: false]
1451 wait : bool [default: false]
1431 Wait to clear the output until new output is available to replace it."""
1452 Wait to clear the output until new output is available to replace it."""
1432 from IPython.core.interactiveshell import InteractiveShell
1453 from IPython.core.interactiveshell import InteractiveShell
1433 if InteractiveShell.initialized():
1454 if InteractiveShell.initialized():
1434 InteractiveShell.instance().display_pub.clear_output(wait)
1455 InteractiveShell.instance().display_pub.clear_output(wait)
1435 else:
1456 else:
1436 print('\033[2K\r', end='')
1457 print('\033[2K\r', end='')
1437 sys.stdout.flush()
1458 sys.stdout.flush()
1438 print('\033[2K\r', end='')
1459 print('\033[2K\r', end='')
1439 sys.stderr.flush()
1460 sys.stderr.flush()
1440
1461
1441
1462
1442 @skip_doctest
1463 @skip_doctest
1443 def set_matplotlib_formats(*formats, **kwargs):
1464 def set_matplotlib_formats(*formats, **kwargs):
1444 """Select figure formats for the inline backend. Optionally pass quality for JPEG.
1465 """Select figure formats for the inline backend. Optionally pass quality for JPEG.
1445
1466
1446 For example, this enables PNG and JPEG output with a JPEG quality of 90%::
1467 For example, this enables PNG and JPEG output with a JPEG quality of 90%::
1447
1468
1448 In [1]: set_matplotlib_formats('png', 'jpeg', quality=90)
1469 In [1]: set_matplotlib_formats('png', 'jpeg', quality=90)
1449
1470
1450 To set this in your config files use the following::
1471 To set this in your config files use the following::
1451
1472
1452 c.InlineBackend.figure_formats = {'png', 'jpeg'}
1473 c.InlineBackend.figure_formats = {'png', 'jpeg'}
1453 c.InlineBackend.print_figure_kwargs.update({'quality' : 90})
1474 c.InlineBackend.print_figure_kwargs.update({'quality' : 90})
1454
1475
1455 Parameters
1476 Parameters
1456 ----------
1477 ----------
1457 *formats : strs
1478 *formats : strs
1458 One or more figure formats to enable: 'png', 'retina', 'jpeg', 'svg', 'pdf'.
1479 One or more figure formats to enable: 'png', 'retina', 'jpeg', 'svg', 'pdf'.
1459 **kwargs :
1480 **kwargs :
1460 Keyword args will be relayed to ``figure.canvas.print_figure``.
1481 Keyword args will be relayed to ``figure.canvas.print_figure``.
1461 """
1482 """
1462 from IPython.core.interactiveshell import InteractiveShell
1483 from IPython.core.interactiveshell import InteractiveShell
1463 from IPython.core.pylabtools import select_figure_formats
1484 from IPython.core.pylabtools import select_figure_formats
1464 # build kwargs, starting with InlineBackend config
1485 # build kwargs, starting with InlineBackend config
1465 kw = {}
1486 kw = {}
1466 from ipykernel.pylab.config import InlineBackend
1487 from ipykernel.pylab.config import InlineBackend
1467 cfg = InlineBackend.instance()
1488 cfg = InlineBackend.instance()
1468 kw.update(cfg.print_figure_kwargs)
1489 kw.update(cfg.print_figure_kwargs)
1469 kw.update(**kwargs)
1490 kw.update(**kwargs)
1470 shell = InteractiveShell.instance()
1491 shell = InteractiveShell.instance()
1471 select_figure_formats(shell, formats, **kw)
1492 select_figure_formats(shell, formats, **kw)
1472
1493
1473 @skip_doctest
1494 @skip_doctest
1474 def set_matplotlib_close(close=True):
1495 def set_matplotlib_close(close=True):
1475 """Set whether the inline backend closes all figures automatically or not.
1496 """Set whether the inline backend closes all figures automatically or not.
1476
1497
1477 By default, the inline backend used in the IPython Notebook will close all
1498 By default, the inline backend used in the IPython Notebook will close all
1478 matplotlib figures automatically after each cell is run. This means that
1499 matplotlib figures automatically after each cell is run. This means that
1479 plots in different cells won't interfere. Sometimes, you may want to make
1500 plots in different cells won't interfere. Sometimes, you may want to make
1480 a plot in one cell and then refine it in later cells. This can be accomplished
1501 a plot in one cell and then refine it in later cells. This can be accomplished
1481 by::
1502 by::
1482
1503
1483 In [1]: set_matplotlib_close(False)
1504 In [1]: set_matplotlib_close(False)
1484
1505
1485 To set this in your config files use the following::
1506 To set this in your config files use the following::
1486
1507
1487 c.InlineBackend.close_figures = False
1508 c.InlineBackend.close_figures = False
1488
1509
1489 Parameters
1510 Parameters
1490 ----------
1511 ----------
1491 close : bool
1512 close : bool
1492 Should all matplotlib figures be automatically closed after each cell is
1513 Should all matplotlib figures be automatically closed after each cell is
1493 run?
1514 run?
1494 """
1515 """
1495 from ipykernel.pylab.config import InlineBackend
1516 from ipykernel.pylab.config import InlineBackend
1496 cfg = InlineBackend.instance()
1517 cfg = InlineBackend.instance()
1497 cfg.close_figures = close
1518 cfg.close_figures = close
@@ -1,421 +1,460 b''
1 # Copyright (c) IPython Development Team.
1 # Copyright (c) IPython Development Team.
2 # Distributed under the terms of the Modified BSD License.
2 # Distributed under the terms of the Modified BSD License.
3
3
4 import json
4 import json
5 import os
5 import os
6 import warnings
6 import warnings
7
7
8 from unittest import mock
8 from unittest import mock
9
9
10 import nose.tools as nt
10 import nose.tools as nt
11
11
12 from IPython.core import display
12 from IPython.core import display
13 from IPython.core.getipython import get_ipython
13 from IPython.core.getipython import get_ipython
14 from IPython.utils.io import capture_output
14 from IPython.utils.io import capture_output
15 from IPython.utils.tempdir import NamedFileInTemporaryDirectory
15 from IPython.utils.tempdir import NamedFileInTemporaryDirectory
16 from IPython import paths as ipath
16 from IPython import paths as ipath
17 from IPython.testing.tools import AssertNotPrints
17 from IPython.testing.tools import AssertNotPrints
18
18
19 import IPython.testing.decorators as dec
19 import IPython.testing.decorators as dec
20
20
21 def test_image_size():
21 def test_image_size():
22 """Simple test for display.Image(args, width=x,height=y)"""
22 """Simple test for display.Image(args, width=x,height=y)"""
23 thisurl = 'http://www.google.fr/images/srpr/logo3w.png'
23 thisurl = 'http://www.google.fr/images/srpr/logo3w.png'
24 img = display.Image(url=thisurl, width=200, height=200)
24 img = display.Image(url=thisurl, width=200, height=200)
25 nt.assert_equal(u'<img src="%s" width="200" height="200"/>' % (thisurl), img._repr_html_())
25 nt.assert_equal(u'<img src="%s" width="200" height="200"/>' % (thisurl), img._repr_html_())
26 img = display.Image(url=thisurl, metadata={'width':200, 'height':200})
26 img = display.Image(url=thisurl, metadata={'width':200, 'height':200})
27 nt.assert_equal(u'<img src="%s" width="200" height="200"/>' % (thisurl), img._repr_html_())
27 nt.assert_equal(u'<img src="%s" width="200" height="200"/>' % (thisurl), img._repr_html_())
28 img = display.Image(url=thisurl, width=200)
28 img = display.Image(url=thisurl, width=200)
29 nt.assert_equal(u'<img src="%s" width="200"/>' % (thisurl), img._repr_html_())
29 nt.assert_equal(u'<img src="%s" width="200"/>' % (thisurl), img._repr_html_())
30 img = display.Image(url=thisurl)
30 img = display.Image(url=thisurl)
31 nt.assert_equal(u'<img src="%s"/>' % (thisurl), img._repr_html_())
31 nt.assert_equal(u'<img src="%s"/>' % (thisurl), img._repr_html_())
32 img = display.Image(url=thisurl, unconfined=True)
32 img = display.Image(url=thisurl, unconfined=True)
33 nt.assert_equal(u'<img src="%s" class="unconfined"/>' % (thisurl), img._repr_html_())
33 nt.assert_equal(u'<img src="%s" class="unconfined"/>' % (thisurl), img._repr_html_())
34
34
35
35
36 def test_image_mimes():
36 def test_image_mimes():
37 fmt = get_ipython().display_formatter.format
37 fmt = get_ipython().display_formatter.format
38 for format in display.Image._ACCEPTABLE_EMBEDDINGS:
38 for format in display.Image._ACCEPTABLE_EMBEDDINGS:
39 mime = display.Image._MIMETYPES[format]
39 mime = display.Image._MIMETYPES[format]
40 img = display.Image(b'garbage', format=format)
40 img = display.Image(b'garbage', format=format)
41 data, metadata = fmt(img)
41 data, metadata = fmt(img)
42 nt.assert_equal(sorted(data), sorted([mime, 'text/plain']))
42 nt.assert_equal(sorted(data), sorted([mime, 'text/plain']))
43
43
44
44
45 def test_geojson():
45 def test_geojson():
46
46
47 gj = display.GeoJSON(data={
47 gj = display.GeoJSON(data={
48 "type": "Feature",
48 "type": "Feature",
49 "geometry": {
49 "geometry": {
50 "type": "Point",
50 "type": "Point",
51 "coordinates": [-81.327, 296.038]
51 "coordinates": [-81.327, 296.038]
52 },
52 },
53 "properties": {
53 "properties": {
54 "name": "Inca City"
54 "name": "Inca City"
55 }
55 }
56 },
56 },
57 url_template="http://s3-eu-west-1.amazonaws.com/whereonmars.cartodb.net/{basemap_id}/{z}/{x}/{y}.png",
57 url_template="http://s3-eu-west-1.amazonaws.com/whereonmars.cartodb.net/{basemap_id}/{z}/{x}/{y}.png",
58 layer_options={
58 layer_options={
59 "basemap_id": "celestia_mars-shaded-16k_global",
59 "basemap_id": "celestia_mars-shaded-16k_global",
60 "attribution": "Celestia/praesepe",
60 "attribution": "Celestia/praesepe",
61 "minZoom": 0,
61 "minZoom": 0,
62 "maxZoom": 18,
62 "maxZoom": 18,
63 })
63 })
64 nt.assert_equal(u'<IPython.core.display.GeoJSON object>', str(gj))
64 nt.assert_equal(u'<IPython.core.display.GeoJSON object>', str(gj))
65
65
66 def test_retina_png():
66 def test_retina_png():
67 here = os.path.dirname(__file__)
67 here = os.path.dirname(__file__)
68 img = display.Image(os.path.join(here, "2x2.png"), retina=True)
68 img = display.Image(os.path.join(here, "2x2.png"), retina=True)
69 nt.assert_equal(img.height, 1)
69 nt.assert_equal(img.height, 1)
70 nt.assert_equal(img.width, 1)
70 nt.assert_equal(img.width, 1)
71 data, md = img._repr_png_()
71 data, md = img._repr_png_()
72 nt.assert_equal(md['width'], 1)
72 nt.assert_equal(md['width'], 1)
73 nt.assert_equal(md['height'], 1)
73 nt.assert_equal(md['height'], 1)
74
74
75 def test_embed_svg_url():
76 import gzip
77 from io import BytesIO
78 svg_data = b'<svg><circle x="0" y="0" r="1"/></svg>'
79 url = 'http://test.com/circle.svg'
80
81 gzip_svg = BytesIO()
82 with gzip.open(gzip_svg, 'wb') as fp:
83 fp.write(svg_data)
84 gzip_svg = gzip_svg.getvalue()
85
86 def mocked_urlopen(*args, **kwargs):
87 class MockResponse:
88 def __init__(self, svg):
89 self._svg_data = svg
90 self.headers = {'content-type': 'image/svg+xml'}
91
92 def read(self):
93 return self._svg_data
94
95 if args[0] == url:
96 return MockResponse(svg_data)
97 elif args[0] == url + 'z':
98 ret= MockResponse(gzip_svg)
99 ret.headers['content-encoding']= 'gzip'
100 return ret
101 return MockResponse(None)
102
103 with mock.patch('urllib.request.urlopen', side_effect=mocked_urlopen):
104 svg = display.SVG(url=url)
105 nt.assert_true(svg._repr_svg_().startswith('<svg'))
106 svg = display.SVG(url=url + 'z')
107 nt.assert_true(svg._repr_svg_().startswith('<svg'))
108
109 # do it for real: 6.1kB of data
110 url = "https://upload.wikimedia.org/wikipedia/commons/3/30/Vector-based_example.svg"
111 svg = display.SVG(url=url)
112 nt.assert_true(svg._repr_svg_().startswith('<svg'))
113
75 def test_retina_jpeg():
114 def test_retina_jpeg():
76 here = os.path.dirname(__file__)
115 here = os.path.dirname(__file__)
77 img = display.Image(os.path.join(here, "2x2.jpg"), retina=True)
116 img = display.Image(os.path.join(here, "2x2.jpg"), retina=True)
78 nt.assert_equal(img.height, 1)
117 nt.assert_equal(img.height, 1)
79 nt.assert_equal(img.width, 1)
118 nt.assert_equal(img.width, 1)
80 data, md = img._repr_jpeg_()
119 data, md = img._repr_jpeg_()
81 nt.assert_equal(md['width'], 1)
120 nt.assert_equal(md['width'], 1)
82 nt.assert_equal(md['height'], 1)
121 nt.assert_equal(md['height'], 1)
83
122
84 def test_base64image():
123 def test_base64image():
85 display.Image("iVBORw0KGgoAAAANSUhEUgAAAAEAAAABAQMAAAAl21bKAAAAA1BMVEUAAACnej3aAAAAAWJLR0QAiAUdSAAAAAlwSFlzAAALEwAACxMBAJqcGAAAAAd0SU1FB94BCRQnOqNu0b4AAAAKSURBVAjXY2AAAAACAAHiIbwzAAAAAElFTkSuQmCC")
124 display.Image("iVBORw0KGgoAAAANSUhEUgAAAAEAAAABAQMAAAAl21bKAAAAA1BMVEUAAACnej3aAAAAAWJLR0QAiAUdSAAAAAlwSFlzAAALEwAACxMBAJqcGAAAAAd0SU1FB94BCRQnOqNu0b4AAAAKSURBVAjXY2AAAAACAAHiIbwzAAAAAElFTkSuQmCC")
86
125
87 def test_image_filename_defaults():
126 def test_image_filename_defaults():
88 '''test format constraint, and validity of jpeg and png'''
127 '''test format constraint, and validity of jpeg and png'''
89 tpath = ipath.get_ipython_package_dir()
128 tpath = ipath.get_ipython_package_dir()
90 nt.assert_raises(ValueError, display.Image, filename=os.path.join(tpath, 'testing/tests/badformat.zip'),
129 nt.assert_raises(ValueError, display.Image, filename=os.path.join(tpath, 'testing/tests/badformat.zip'),
91 embed=True)
130 embed=True)
92 nt.assert_raises(ValueError, display.Image)
131 nt.assert_raises(ValueError, display.Image)
93 nt.assert_raises(ValueError, display.Image, data='this is not an image', format='badformat', embed=True)
132 nt.assert_raises(ValueError, display.Image, data='this is not an image', format='badformat', embed=True)
94 # check boths paths to allow packages to test at build and install time
133 # check boths paths to allow packages to test at build and install time
95 imgfile = os.path.join(tpath, 'core/tests/2x2.png')
134 imgfile = os.path.join(tpath, 'core/tests/2x2.png')
96 img = display.Image(filename=imgfile)
135 img = display.Image(filename=imgfile)
97 nt.assert_equal('png', img.format)
136 nt.assert_equal('png', img.format)
98 nt.assert_is_not_none(img._repr_png_())
137 nt.assert_is_not_none(img._repr_png_())
99 img = display.Image(filename=os.path.join(tpath, 'testing/tests/logo.jpg'), embed=False)
138 img = display.Image(filename=os.path.join(tpath, 'testing/tests/logo.jpg'), embed=False)
100 nt.assert_equal('jpeg', img.format)
139 nt.assert_equal('jpeg', img.format)
101 nt.assert_is_none(img._repr_jpeg_())
140 nt.assert_is_none(img._repr_jpeg_())
102
141
103 def _get_inline_config():
142 def _get_inline_config():
104 from ipykernel.pylab.config import InlineBackend
143 from ipykernel.pylab.config import InlineBackend
105 return InlineBackend.instance()
144 return InlineBackend.instance()
106
145
107 @dec.skip_without('matplotlib')
146 @dec.skip_without('matplotlib')
108 def test_set_matplotlib_close():
147 def test_set_matplotlib_close():
109 cfg = _get_inline_config()
148 cfg = _get_inline_config()
110 cfg.close_figures = False
149 cfg.close_figures = False
111 display.set_matplotlib_close()
150 display.set_matplotlib_close()
112 assert cfg.close_figures
151 assert cfg.close_figures
113 display.set_matplotlib_close(False)
152 display.set_matplotlib_close(False)
114 assert not cfg.close_figures
153 assert not cfg.close_figures
115
154
116 _fmt_mime_map = {
155 _fmt_mime_map = {
117 'png': 'image/png',
156 'png': 'image/png',
118 'jpeg': 'image/jpeg',
157 'jpeg': 'image/jpeg',
119 'pdf': 'application/pdf',
158 'pdf': 'application/pdf',
120 'retina': 'image/png',
159 'retina': 'image/png',
121 'svg': 'image/svg+xml',
160 'svg': 'image/svg+xml',
122 }
161 }
123
162
124 @dec.skip_without('matplotlib')
163 @dec.skip_without('matplotlib')
125 def test_set_matplotlib_formats():
164 def test_set_matplotlib_formats():
126 from matplotlib.figure import Figure
165 from matplotlib.figure import Figure
127 formatters = get_ipython().display_formatter.formatters
166 formatters = get_ipython().display_formatter.formatters
128 for formats in [
167 for formats in [
129 ('png',),
168 ('png',),
130 ('pdf', 'svg'),
169 ('pdf', 'svg'),
131 ('jpeg', 'retina', 'png'),
170 ('jpeg', 'retina', 'png'),
132 (),
171 (),
133 ]:
172 ]:
134 active_mimes = {_fmt_mime_map[fmt] for fmt in formats}
173 active_mimes = {_fmt_mime_map[fmt] for fmt in formats}
135 display.set_matplotlib_formats(*formats)
174 display.set_matplotlib_formats(*formats)
136 for mime, f in formatters.items():
175 for mime, f in formatters.items():
137 if mime in active_mimes:
176 if mime in active_mimes:
138 nt.assert_in(Figure, f)
177 nt.assert_in(Figure, f)
139 else:
178 else:
140 nt.assert_not_in(Figure, f)
179 nt.assert_not_in(Figure, f)
141
180
142 @dec.skip_without('matplotlib')
181 @dec.skip_without('matplotlib')
143 def test_set_matplotlib_formats_kwargs():
182 def test_set_matplotlib_formats_kwargs():
144 from matplotlib.figure import Figure
183 from matplotlib.figure import Figure
145 ip = get_ipython()
184 ip = get_ipython()
146 cfg = _get_inline_config()
185 cfg = _get_inline_config()
147 cfg.print_figure_kwargs.update(dict(foo='bar'))
186 cfg.print_figure_kwargs.update(dict(foo='bar'))
148 kwargs = dict(quality=10)
187 kwargs = dict(quality=10)
149 display.set_matplotlib_formats('png', **kwargs)
188 display.set_matplotlib_formats('png', **kwargs)
150 formatter = ip.display_formatter.formatters['image/png']
189 formatter = ip.display_formatter.formatters['image/png']
151 f = formatter.lookup_by_type(Figure)
190 f = formatter.lookup_by_type(Figure)
152 cell = f.__closure__[0].cell_contents
191 cell = f.__closure__[0].cell_contents
153 expected = kwargs
192 expected = kwargs
154 expected.update(cfg.print_figure_kwargs)
193 expected.update(cfg.print_figure_kwargs)
155 nt.assert_equal(cell, expected)
194 nt.assert_equal(cell, expected)
156
195
157 def test_display_available():
196 def test_display_available():
158 """
197 """
159 Test that display is available without import
198 Test that display is available without import
160
199
161 We don't really care if it's in builtin or anything else, but it should
200 We don't really care if it's in builtin or anything else, but it should
162 always be available.
201 always be available.
163 """
202 """
164 ip = get_ipython()
203 ip = get_ipython()
165 with AssertNotPrints('NameError'):
204 with AssertNotPrints('NameError'):
166 ip.run_cell('display')
205 ip.run_cell('display')
167 try:
206 try:
168 ip.run_cell('del display')
207 ip.run_cell('del display')
169 except NameError:
208 except NameError:
170 pass # it's ok, it might be in builtins
209 pass # it's ok, it might be in builtins
171 # even if deleted it should be back
210 # even if deleted it should be back
172 with AssertNotPrints('NameError'):
211 with AssertNotPrints('NameError'):
173 ip.run_cell('display')
212 ip.run_cell('display')
174
213
175 def test_textdisplayobj_pretty_repr():
214 def test_textdisplayobj_pretty_repr():
176 p = display.Pretty("This is a simple test")
215 p = display.Pretty("This is a simple test")
177 nt.assert_equal(repr(p), '<IPython.core.display.Pretty object>')
216 nt.assert_equal(repr(p), '<IPython.core.display.Pretty object>')
178 nt.assert_equal(p.data, 'This is a simple test')
217 nt.assert_equal(p.data, 'This is a simple test')
179
218
180 p._show_mem_addr = True
219 p._show_mem_addr = True
181 nt.assert_equal(repr(p), object.__repr__(p))
220 nt.assert_equal(repr(p), object.__repr__(p))
182
221
183 def test_displayobject_repr():
222 def test_displayobject_repr():
184 h = display.HTML('<br />')
223 h = display.HTML('<br />')
185 nt.assert_equal(repr(h), '<IPython.core.display.HTML object>')
224 nt.assert_equal(repr(h), '<IPython.core.display.HTML object>')
186 h._show_mem_addr = True
225 h._show_mem_addr = True
187 nt.assert_equal(repr(h), object.__repr__(h))
226 nt.assert_equal(repr(h), object.__repr__(h))
188 h._show_mem_addr = False
227 h._show_mem_addr = False
189 nt.assert_equal(repr(h), '<IPython.core.display.HTML object>')
228 nt.assert_equal(repr(h), '<IPython.core.display.HTML object>')
190
229
191 j = display.Javascript('')
230 j = display.Javascript('')
192 nt.assert_equal(repr(j), '<IPython.core.display.Javascript object>')
231 nt.assert_equal(repr(j), '<IPython.core.display.Javascript object>')
193 j._show_mem_addr = True
232 j._show_mem_addr = True
194 nt.assert_equal(repr(j), object.__repr__(j))
233 nt.assert_equal(repr(j), object.__repr__(j))
195 j._show_mem_addr = False
234 j._show_mem_addr = False
196 nt.assert_equal(repr(j), '<IPython.core.display.Javascript object>')
235 nt.assert_equal(repr(j), '<IPython.core.display.Javascript object>')
197
236
198 @mock.patch('warnings.warn')
237 @mock.patch('warnings.warn')
199 def test_encourage_iframe_over_html(m_warn):
238 def test_encourage_iframe_over_html(m_warn):
200 display.HTML()
239 display.HTML()
201 m_warn.assert_not_called()
240 m_warn.assert_not_called()
202
241
203 display.HTML('<br />')
242 display.HTML('<br />')
204 m_warn.assert_not_called()
243 m_warn.assert_not_called()
205
244
206 display.HTML('<html><p>Lots of content here</p><iframe src="http://a.com"></iframe>')
245 display.HTML('<html><p>Lots of content here</p><iframe src="http://a.com"></iframe>')
207 m_warn.assert_not_called()
246 m_warn.assert_not_called()
208
247
209 display.HTML('<iframe src="http://a.com"></iframe>')
248 display.HTML('<iframe src="http://a.com"></iframe>')
210 m_warn.assert_called_with('Consider using IPython.display.IFrame instead')
249 m_warn.assert_called_with('Consider using IPython.display.IFrame instead')
211
250
212 m_warn.reset_mock()
251 m_warn.reset_mock()
213 display.HTML('<IFRAME SRC="http://a.com"></IFRAME>')
252 display.HTML('<IFRAME SRC="http://a.com"></IFRAME>')
214 m_warn.assert_called_with('Consider using IPython.display.IFrame instead')
253 m_warn.assert_called_with('Consider using IPython.display.IFrame instead')
215
254
216 def test_progress():
255 def test_progress():
217 p = display.ProgressBar(10)
256 p = display.ProgressBar(10)
218 nt.assert_in('0/10',repr(p))
257 nt.assert_in('0/10',repr(p))
219 p.html_width = '100%'
258 p.html_width = '100%'
220 p.progress = 5
259 p.progress = 5
221 nt.assert_equal(p._repr_html_(), "<progress style='width:100%' max='10' value='5'></progress>")
260 nt.assert_equal(p._repr_html_(), "<progress style='width:100%' max='10' value='5'></progress>")
222
261
223 def test_progress_iter():
262 def test_progress_iter():
224 with capture_output(display=False) as captured:
263 with capture_output(display=False) as captured:
225 for i in display.ProgressBar(5):
264 for i in display.ProgressBar(5):
226 out = captured.stdout
265 out = captured.stdout
227 nt.assert_in('{0}/5'.format(i), out)
266 nt.assert_in('{0}/5'.format(i), out)
228 out = captured.stdout
267 out = captured.stdout
229 nt.assert_in('5/5', out)
268 nt.assert_in('5/5', out)
230
269
231 def test_json():
270 def test_json():
232 d = {'a': 5}
271 d = {'a': 5}
233 lis = [d]
272 lis = [d]
234 metadata = [
273 metadata = [
235 {'expanded': False, 'root': 'root'},
274 {'expanded': False, 'root': 'root'},
236 {'expanded': True, 'root': 'root'},
275 {'expanded': True, 'root': 'root'},
237 {'expanded': False, 'root': 'custom'},
276 {'expanded': False, 'root': 'custom'},
238 {'expanded': True, 'root': 'custom'},
277 {'expanded': True, 'root': 'custom'},
239 ]
278 ]
240 json_objs = [
279 json_objs = [
241 display.JSON(d),
280 display.JSON(d),
242 display.JSON(d, expanded=True),
281 display.JSON(d, expanded=True),
243 display.JSON(d, root='custom'),
282 display.JSON(d, root='custom'),
244 display.JSON(d, expanded=True, root='custom'),
283 display.JSON(d, expanded=True, root='custom'),
245 ]
284 ]
246 for j, md in zip(json_objs, metadata):
285 for j, md in zip(json_objs, metadata):
247 nt.assert_equal(j._repr_json_(), (d, md))
286 nt.assert_equal(j._repr_json_(), (d, md))
248
287
249 with warnings.catch_warnings(record=True) as w:
288 with warnings.catch_warnings(record=True) as w:
250 warnings.simplefilter("always")
289 warnings.simplefilter("always")
251 j = display.JSON(json.dumps(d))
290 j = display.JSON(json.dumps(d))
252 nt.assert_equal(len(w), 1)
291 nt.assert_equal(len(w), 1)
253 nt.assert_equal(j._repr_json_(), (d, metadata[0]))
292 nt.assert_equal(j._repr_json_(), (d, metadata[0]))
254
293
255 json_objs = [
294 json_objs = [
256 display.JSON(lis),
295 display.JSON(lis),
257 display.JSON(lis, expanded=True),
296 display.JSON(lis, expanded=True),
258 display.JSON(lis, root='custom'),
297 display.JSON(lis, root='custom'),
259 display.JSON(lis, expanded=True, root='custom'),
298 display.JSON(lis, expanded=True, root='custom'),
260 ]
299 ]
261 for j, md in zip(json_objs, metadata):
300 for j, md in zip(json_objs, metadata):
262 nt.assert_equal(j._repr_json_(), (lis, md))
301 nt.assert_equal(j._repr_json_(), (lis, md))
263
302
264 with warnings.catch_warnings(record=True) as w:
303 with warnings.catch_warnings(record=True) as w:
265 warnings.simplefilter("always")
304 warnings.simplefilter("always")
266 j = display.JSON(json.dumps(lis))
305 j = display.JSON(json.dumps(lis))
267 nt.assert_equal(len(w), 1)
306 nt.assert_equal(len(w), 1)
268 nt.assert_equal(j._repr_json_(), (lis, metadata[0]))
307 nt.assert_equal(j._repr_json_(), (lis, metadata[0]))
269
308
270 def test_video_embedding():
309 def test_video_embedding():
271 """use a tempfile, with dummy-data, to ensure that video embedding doesn't crash"""
310 """use a tempfile, with dummy-data, to ensure that video embedding doesn't crash"""
272 v = display.Video("http://ignored")
311 v = display.Video("http://ignored")
273 assert not v.embed
312 assert not v.embed
274 html = v._repr_html_()
313 html = v._repr_html_()
275 nt.assert_not_in('src="data:', html)
314 nt.assert_not_in('src="data:', html)
276 nt.assert_in('src="http://ignored"', html)
315 nt.assert_in('src="http://ignored"', html)
277
316
278 with nt.assert_raises(ValueError):
317 with nt.assert_raises(ValueError):
279 v = display.Video(b'abc')
318 v = display.Video(b'abc')
280
319
281 with NamedFileInTemporaryDirectory('test.mp4') as f:
320 with NamedFileInTemporaryDirectory('test.mp4') as f:
282 f.write(b'abc')
321 f.write(b'abc')
283 f.close()
322 f.close()
284
323
285 v = display.Video(f.name)
324 v = display.Video(f.name)
286 assert not v.embed
325 assert not v.embed
287 html = v._repr_html_()
326 html = v._repr_html_()
288 nt.assert_not_in('src="data:', html)
327 nt.assert_not_in('src="data:', html)
289
328
290 v = display.Video(f.name, embed=True)
329 v = display.Video(f.name, embed=True)
291 html = v._repr_html_()
330 html = v._repr_html_()
292 nt.assert_in('src="data:video/mp4;base64,YWJj"',html)
331 nt.assert_in('src="data:video/mp4;base64,YWJj"',html)
293
332
294 v = display.Video(f.name, embed=True, mimetype='video/other')
333 v = display.Video(f.name, embed=True, mimetype='video/other')
295 html = v._repr_html_()
334 html = v._repr_html_()
296 nt.assert_in('src="data:video/other;base64,YWJj"',html)
335 nt.assert_in('src="data:video/other;base64,YWJj"',html)
297
336
298 v = display.Video(b'abc', embed=True, mimetype='video/mp4')
337 v = display.Video(b'abc', embed=True, mimetype='video/mp4')
299 html = v._repr_html_()
338 html = v._repr_html_()
300 nt.assert_in('src="data:video/mp4;base64,YWJj"',html)
339 nt.assert_in('src="data:video/mp4;base64,YWJj"',html)
301
340
302 v = display.Video(u'YWJj', embed=True, mimetype='video/xyz')
341 v = display.Video(u'YWJj', embed=True, mimetype='video/xyz')
303 html = v._repr_html_()
342 html = v._repr_html_()
304 nt.assert_in('src="data:video/xyz;base64,YWJj"',html)
343 nt.assert_in('src="data:video/xyz;base64,YWJj"',html)
305
344
306 def test_html_metadata():
345 def test_html_metadata():
307 s = "<h1>Test</h1>"
346 s = "<h1>Test</h1>"
308 h = display.HTML(s, metadata={"isolated": True})
347 h = display.HTML(s, metadata={"isolated": True})
309 nt.assert_equal(h._repr_html_(), (s, {"isolated": True}))
348 nt.assert_equal(h._repr_html_(), (s, {"isolated": True}))
310
349
311 def test_display_id():
350 def test_display_id():
312 ip = get_ipython()
351 ip = get_ipython()
313 with mock.patch.object(ip.display_pub, 'publish') as pub:
352 with mock.patch.object(ip.display_pub, 'publish') as pub:
314 handle = display.display('x')
353 handle = display.display('x')
315 nt.assert_is(handle, None)
354 nt.assert_is(handle, None)
316 handle = display.display('y', display_id='secret')
355 handle = display.display('y', display_id='secret')
317 nt.assert_is_instance(handle, display.DisplayHandle)
356 nt.assert_is_instance(handle, display.DisplayHandle)
318 handle2 = display.display('z', display_id=True)
357 handle2 = display.display('z', display_id=True)
319 nt.assert_is_instance(handle2, display.DisplayHandle)
358 nt.assert_is_instance(handle2, display.DisplayHandle)
320 nt.assert_not_equal(handle.display_id, handle2.display_id)
359 nt.assert_not_equal(handle.display_id, handle2.display_id)
321
360
322 nt.assert_equal(pub.call_count, 3)
361 nt.assert_equal(pub.call_count, 3)
323 args, kwargs = pub.call_args_list[0]
362 args, kwargs = pub.call_args_list[0]
324 nt.assert_equal(args, ())
363 nt.assert_equal(args, ())
325 nt.assert_equal(kwargs, {
364 nt.assert_equal(kwargs, {
326 'data': {
365 'data': {
327 'text/plain': repr('x')
366 'text/plain': repr('x')
328 },
367 },
329 'metadata': {},
368 'metadata': {},
330 })
369 })
331 args, kwargs = pub.call_args_list[1]
370 args, kwargs = pub.call_args_list[1]
332 nt.assert_equal(args, ())
371 nt.assert_equal(args, ())
333 nt.assert_equal(kwargs, {
372 nt.assert_equal(kwargs, {
334 'data': {
373 'data': {
335 'text/plain': repr('y')
374 'text/plain': repr('y')
336 },
375 },
337 'metadata': {},
376 'metadata': {},
338 'transient': {
377 'transient': {
339 'display_id': handle.display_id,
378 'display_id': handle.display_id,
340 },
379 },
341 })
380 })
342 args, kwargs = pub.call_args_list[2]
381 args, kwargs = pub.call_args_list[2]
343 nt.assert_equal(args, ())
382 nt.assert_equal(args, ())
344 nt.assert_equal(kwargs, {
383 nt.assert_equal(kwargs, {
345 'data': {
384 'data': {
346 'text/plain': repr('z')
385 'text/plain': repr('z')
347 },
386 },
348 'metadata': {},
387 'metadata': {},
349 'transient': {
388 'transient': {
350 'display_id': handle2.display_id,
389 'display_id': handle2.display_id,
351 },
390 },
352 })
391 })
353
392
354
393
355 def test_update_display():
394 def test_update_display():
356 ip = get_ipython()
395 ip = get_ipython()
357 with mock.patch.object(ip.display_pub, 'publish') as pub:
396 with mock.patch.object(ip.display_pub, 'publish') as pub:
358 with nt.assert_raises(TypeError):
397 with nt.assert_raises(TypeError):
359 display.update_display('x')
398 display.update_display('x')
360 display.update_display('x', display_id='1')
399 display.update_display('x', display_id='1')
361 display.update_display('y', display_id='2')
400 display.update_display('y', display_id='2')
362 args, kwargs = pub.call_args_list[0]
401 args, kwargs = pub.call_args_list[0]
363 nt.assert_equal(args, ())
402 nt.assert_equal(args, ())
364 nt.assert_equal(kwargs, {
403 nt.assert_equal(kwargs, {
365 'data': {
404 'data': {
366 'text/plain': repr('x')
405 'text/plain': repr('x')
367 },
406 },
368 'metadata': {},
407 'metadata': {},
369 'transient': {
408 'transient': {
370 'display_id': '1',
409 'display_id': '1',
371 },
410 },
372 'update': True,
411 'update': True,
373 })
412 })
374 args, kwargs = pub.call_args_list[1]
413 args, kwargs = pub.call_args_list[1]
375 nt.assert_equal(args, ())
414 nt.assert_equal(args, ())
376 nt.assert_equal(kwargs, {
415 nt.assert_equal(kwargs, {
377 'data': {
416 'data': {
378 'text/plain': repr('y')
417 'text/plain': repr('y')
379 },
418 },
380 'metadata': {},
419 'metadata': {},
381 'transient': {
420 'transient': {
382 'display_id': '2',
421 'display_id': '2',
383 },
422 },
384 'update': True,
423 'update': True,
385 })
424 })
386
425
387
426
388 def test_display_handle():
427 def test_display_handle():
389 ip = get_ipython()
428 ip = get_ipython()
390 handle = display.DisplayHandle()
429 handle = display.DisplayHandle()
391 nt.assert_is_instance(handle.display_id, str)
430 nt.assert_is_instance(handle.display_id, str)
392 handle = display.DisplayHandle('my-id')
431 handle = display.DisplayHandle('my-id')
393 nt.assert_equal(handle.display_id, 'my-id')
432 nt.assert_equal(handle.display_id, 'my-id')
394 with mock.patch.object(ip.display_pub, 'publish') as pub:
433 with mock.patch.object(ip.display_pub, 'publish') as pub:
395 handle.display('x')
434 handle.display('x')
396 handle.update('y')
435 handle.update('y')
397
436
398 args, kwargs = pub.call_args_list[0]
437 args, kwargs = pub.call_args_list[0]
399 nt.assert_equal(args, ())
438 nt.assert_equal(args, ())
400 nt.assert_equal(kwargs, {
439 nt.assert_equal(kwargs, {
401 'data': {
440 'data': {
402 'text/plain': repr('x')
441 'text/plain': repr('x')
403 },
442 },
404 'metadata': {},
443 'metadata': {},
405 'transient': {
444 'transient': {
406 'display_id': handle.display_id,
445 'display_id': handle.display_id,
407 }
446 }
408 })
447 })
409 args, kwargs = pub.call_args_list[1]
448 args, kwargs = pub.call_args_list[1]
410 nt.assert_equal(args, ())
449 nt.assert_equal(args, ())
411 nt.assert_equal(kwargs, {
450 nt.assert_equal(kwargs, {
412 'data': {
451 'data': {
413 'text/plain': repr('y')
452 'text/plain': repr('y')
414 },
453 },
415 'metadata': {},
454 'metadata': {},
416 'transient': {
455 'transient': {
417 'display_id': handle.display_id,
456 'display_id': handle.display_id,
418 },
457 },
419 'update': True,
458 'update': True,
420 })
459 })
421
460
General Comments 0
You need to be logged in to leave comments. Login now