formatters.py
884 lines
| 28.9 KiB
| text/x-python
|
PythonLexer
Robert Kern
|
r3209 | # -*- coding: utf-8 -*- | ||
Brian Granger
|
r3278 | """Display formatters. | ||
Thomas Kluyver
|
r8795 | Inheritance diagram: | ||
.. inheritance-diagram:: IPython.core.formatters | ||||
:parts: 3 | ||||
Brian Granger
|
r3278 | |||
Authors: | ||||
* Robert Kern | ||||
* Brian Granger | ||||
Robert Kern
|
r3209 | """ | ||
Robert Kern
|
r3225 | #----------------------------------------------------------------------------- | ||
Matthias BUSSONNIER
|
r5390 | # Copyright (C) 2010-2011, IPython Development Team. | ||
Robert Kern
|
r3225 | # | ||
# Distributed under the terms of the Modified BSD License. | ||||
# | ||||
# The full license is in the file COPYING.txt, distributed with this software. | ||||
#----------------------------------------------------------------------------- | ||||
Robert Kern
|
r3209 | |||
Brian Granger
|
r3279 | #----------------------------------------------------------------------------- | ||
# Imports | ||||
#----------------------------------------------------------------------------- | ||||
Robert Kern
|
r3222 | # Stdlib imports | ||
Robert Kern
|
r3209 | import abc | ||
MinRK
|
r15225 | import inspect | ||
MinRK
|
r3352 | import sys | ||
MinRK
|
r15216 | import types | ||
MinRK
|
r9813 | import warnings | ||
Robert Kern
|
r3209 | |||
MinRK
|
r13977 | from IPython.external.decorator import decorator | ||
Robert Kern
|
r3222 | # Our own imports | ||
Robert Kern
|
r3209 | from IPython.config.configurable import Configurable | ||
Thomas Spura
|
r3413 | from IPython.lib import pretty | ||
MinRK
|
r14152 | from IPython.utils import io | ||
MinRK
|
r9811 | from IPython.utils.traitlets import ( | ||
Bool, Dict, Integer, Unicode, CUnicode, ObjectName, List, | ||||
) | ||||
MinRK
|
r13977 | from IPython.utils.warn import warn | ||
MinRK
|
r13781 | from IPython.utils.py3compat import ( | ||
MinRK
|
r14162 | unicode_to_str, with_metaclass, PY3, string_types, unicode_type, | ||
MinRK
|
r13781 | ) | ||
Thomas Kluyver
|
r13366 | |||
if PY3: | ||||
from io import StringIO | ||||
else: | ||||
from StringIO import StringIO | ||||
Robert Kern
|
r3209 | |||
Robert Kern
|
r3222 | #----------------------------------------------------------------------------- | ||
Brian Granger
|
r3278 | # The main DisplayFormatter class | ||
Robert Kern
|
r3222 | #----------------------------------------------------------------------------- | ||
MinRK
|
r15217 | |||
def _valid_formatter(f): | ||||
"""Return whether an object is a valid formatter | ||||
Cases checked: | ||||
MinRK
|
r15225 | - bound methods OK | ||
- unbound methods NO | ||||
- callable with zero args OK | ||||
MinRK
|
r15217 | """ | ||
MinRK
|
r15486 | if f is None: | ||
return False | ||||
elif isinstance(f, type(str.find)): | ||||
MinRK
|
r15217 | # unbound methods on compiled classes have type method_descriptor | ||
return False | ||||
MinRK
|
r15225 | elif isinstance(f, types.BuiltinFunctionType): | ||
# bound methods on compiled classes have type builtin_function | ||||
MinRK
|
r15217 | return True | ||
MinRK
|
r15225 | elif callable(f): | ||
# anything that works with zero args should be okay | ||||
try: | ||||
inspect.getcallargs(f) | ||||
except TypeError: | ||||
return False | ||||
else: | ||||
return True | ||||
MinRK
|
r15217 | return False | ||
MinRK
|
r15486 | def _safe_get_formatter_method(obj, name): | ||
"""Safely get a formatter method""" | ||||
method = pretty._safe_getattr(obj, name, None) | ||||
# formatter methods must be bound | ||||
if _valid_formatter(method): | ||||
return method | ||||
Brian Granger
|
r3278 | class DisplayFormatter(Configurable): | ||
Brian Granger
|
r3280 | # When set to true only the default plain text formatter will be used. | ||
plain_text_only = Bool(False, config=True) | ||||
MinRK
|
r9811 | def _plain_text_only_changed(self, name, old, new): | ||
warnings.warn("""DisplayFormatter.plain_text_only is deprecated. | ||||
Use DisplayFormatter.active_types = ['text/plain'] | ||||
for the same effect. | ||||
""", DeprecationWarning) | ||||
if new: | ||||
self.active_types = ['text/plain'] | ||||
else: | ||||
self.active_types = self.format_types | ||||
active_types = List(Unicode, config=True, | ||||
MinRK
|
r10182 | help="""List of currently active mime-types to display. | ||
You can use this to set a white-list for formats to display. | ||||
Most users will not need to change this value. | ||||
""") | ||||
MinRK
|
r9811 | def _active_types_default(self): | ||
return self.format_types | ||||
MinRK
|
r10128 | |||
def _active_types_changed(self, name, old, new): | ||||
MinRK
|
r10130 | for key, formatter in self.formatters.items(): | ||
MinRK
|
r10128 | if key in new: | ||
formatter.enabled = True | ||||
else: | ||||
formatter.enabled = False | ||||
Brian Granger
|
r3278 | # A dict of formatter whose keys are format types (MIME types) and whose | ||
# values are subclasses of BaseFormatter. | ||||
MinRK
|
r5228 | formatters = Dict() | ||
Brian Granger
|
r3278 | def _formatters_default(self): | ||
"""Activate the default formatters.""" | ||||
formatter_classes = [ | ||||
PlainTextFormatter, | ||||
HTMLFormatter, | ||||
SVGFormatter, | ||||
PNGFormatter, | ||||
Brian E. Granger
|
r15121 | PDFFormatter, | ||
Brian E. Granger
|
r4528 | JPEGFormatter, | ||
Brian Granger
|
r3278 | LatexFormatter, | ||
Brian Granger
|
r3878 | JSONFormatter, | ||
JavascriptFormatter | ||||
Brian Granger
|
r3278 | ] | ||
d = {} | ||||
for cls in formatter_classes: | ||||
MinRK
|
r11064 | f = cls(parent=self) | ||
Brian Granger
|
r3278 | d[f.format_type] = f | ||
return d | ||||
def format(self, obj, include=None, exclude=None): | ||||
"""Return a format data dict for an object. | ||||
By default all format types will be computed. | ||||
The following MIME types are currently implemented: | ||||
* text/plain | ||||
* text/html | ||||
* text/latex | ||||
* application/json | ||||
Brian E. Granger
|
r4526 | * application/javascript | ||
Brian E. Granger
|
r15121 | * application/pdf | ||
Brian Granger
|
r3278 | * image/png | ||
Brian E. Granger
|
r4528 | * image/jpeg | ||
Brian E. Granger
|
r4526 | * image/svg+xml | ||
Brian Granger
|
r3278 | |||
Parameters | ||||
---------- | ||||
obj : object | ||||
The Python object whose format data will be computed. | ||||
Brian Granger
|
r3282 | include : list or tuple, optional | ||
A list of format type strings (MIME types) to include in the | ||||
format data dict. If this is set *only* the format types included | ||||
in this list will be computed. | ||||
exclude : list or tuple, optional | ||||
MinRK
|
r9811 | A list of format type string (MIME types) to exclude in the format | ||
Brian Granger
|
r3282 | data dict. If this is set all format types will be computed, | ||
except for those included in this argument. | ||||
Brian Granger
|
r3278 | |||
Returns | ||||
------- | ||||
MinRK
|
r10446 | (format_dict, metadata_dict) : tuple of two dicts | ||
format_dict is a dictionary of key/value pairs, one of each format that was | ||||
Brian Granger
|
r3278 | generated for the object. The keys are the format types, which | ||
will usually be MIME type strings and the values and JSON'able | ||||
data structure containing the raw data for the representation in | ||||
that format. | ||||
MinRK
|
r10446 | |||
metadata_dict is a dictionary of metadata about each mime-type output. | ||||
Its keys will be a strict subset of the keys in format_dict. | ||||
Brian Granger
|
r3278 | """ | ||
format_dict = {} | ||||
MinRK
|
r10443 | md_dict = {} | ||
Brian Granger
|
r3280 | |||
Brian Granger
|
r3278 | for format_type, formatter in self.formatters.items(): | ||
MinRK
|
r10129 | if include and format_type not in include: | ||
continue | ||||
if exclude and format_type in exclude: | ||||
MinRK
|
r9811 | continue | ||
MinRK
|
r10443 | |||
md = None | ||||
Brian Granger
|
r3278 | try: | ||
data = formatter(obj) | ||||
except: | ||||
# FIXME: log the exception | ||||
raise | ||||
MinRK
|
r10443 | |||
# formatters can return raw data or (data, metadata) | ||||
if isinstance(data, tuple) and len(data) == 2: | ||||
data, md = data | ||||
Brian Granger
|
r3278 | if data is not None: | ||
format_dict[format_type] = data | ||||
MinRK
|
r10443 | if md is not None: | ||
md_dict[format_type] = md | ||||
return format_dict, md_dict | ||||
Brian Granger
|
r3278 | |||
@property | ||||
def format_types(self): | ||||
"""Return the format types (MIME types) of the active formatters.""" | ||||
Thomas Kluyver
|
r13364 | return list(self.formatters.keys()) | ||
Brian Granger
|
r3278 | |||
#----------------------------------------------------------------------------- | ||||
# Formatters for specific format types (text, html, svg, etc.) | ||||
#----------------------------------------------------------------------------- | ||||
MinRK
|
r14637 | class FormatterWarning(UserWarning): | ||
"""Warning class for errors in formatters""" | ||||
MinRK
|
r13977 | @decorator | ||
def warn_format_error(method, self, *args, **kwargs): | ||||
"""decorator for warning on failed format call""" | ||||
try: | ||||
MinRK
|
r14152 | r = method(self, *args, **kwargs) | ||
MinRK
|
r14635 | except NotImplementedError as e: | ||
# don't warn on NotImplementedErrors | ||||
return None | ||||
MinRK
|
r13977 | except Exception as e: | ||
MinRK
|
r14637 | warnings.warn("Exception in %s formatter: %s" % (self.format_type, e), | ||
FormatterWarning, | ||||
) | ||||
MinRK
|
r13977 | return None | ||
MinRK
|
r14156 | if r is None or isinstance(r, self._return_type) or \ | ||
(isinstance(r, tuple) and r and isinstance(r[0], self._return_type)): | ||||
MinRK
|
r14152 | return r | ||
else: | ||||
MinRK
|
r14637 | warnings.warn( | ||
"%s formatter returned invalid type %s (expected %s) for object: %s" % \ | ||||
(self.format_type, type(r), self._return_type, pretty._safe_repr(args[0])), | ||||
FormatterWarning | ||||
) | ||||
MinRK
|
r13977 | |||
Thomas Kluyver
|
r13359 | class FormatterABC(with_metaclass(abc.ABCMeta, object)): | ||
Brian Granger
|
r3278 | """ Abstract base class for Formatters. | ||
A formatter is a callable class that is responsible for computing the | ||||
raw format data for a particular format type (MIME type). For example, | ||||
an HTML formatter would have a format type of `text/html` and would return | ||||
the HTML representation of the object when called. | ||||
Robert Kern
|
r3209 | """ | ||
Brian Granger
|
r3278 | # The format type of the data returned, usually a MIME type. | ||
format_type = 'text/plain' | ||||
Robert Kern
|
r3209 | |||
Brian Granger
|
r3280 | # Is the formatter enabled... | ||
enabled = True | ||||
MinRK
|
r13977 | |||
Brian Granger
|
r3278 | @abc.abstractmethod | ||
MinRK
|
r13977 | @warn_format_error | ||
Brian Granger
|
r3278 | def __call__(self, obj): | ||
"""Return a JSON'able representation of the object. | ||||
MinRK
|
r13977 | If the object cannot be formatted by this formatter, | ||
warn and return None. | ||||
Brian Granger
|
r3278 | """ | ||
MinRK
|
r13977 | return repr(obj) | ||
Brian Granger
|
r3278 | |||
MinRK
|
r13781 | def _mod_name_key(typ): | ||
MinRK
|
r13788 | """Return a (__module__, __name__) tuple for a type. | ||
Used as key in Formatter.deferred_printers. | ||||
""" | ||||
MinRK
|
r13781 | module = getattr(typ, '__module__', None) | ||
name = getattr(typ, '__name__', None) | ||||
return (module, name) | ||||
def _get_type(obj): | ||||
"""Return the type of an instance (old and new-style)""" | ||||
return getattr(obj, '__class__', None) or type(obj) | ||||
MinRK
|
r13788 | _raise_key_error = object() | ||
MinRK
|
r13781 | |||
MinRK
|
r13977 | |||
Brian Granger
|
r3278 | class BaseFormatter(Configurable): | ||
"""A base formatter class that is configurable. | ||||
This formatter should usually be used as the base class of all formatters. | ||||
It is a traited :class:`Configurable` class and includes an extensible | ||||
API for users to determine how their objects are formatted. The following | ||||
logic is used to find a function to format an given object. | ||||
1. The object is introspected to see if it has a method with the name | ||||
:attr:`print_method`. If is does, that object is passed to that method | ||||
for formatting. | ||||
2. If no print method is found, three internal dictionaries are consulted | ||||
to find print method: :attr:`singleton_printers`, :attr:`type_printers` | ||||
and :attr:`deferred_printers`. | ||||
Brian Granger
|
r3288 | Users should use these dictionaries to register functions that will be | ||
used to compute the format data for their objects (if those objects don't | ||||
have the special print methods). The easiest way of using these | ||||
dictionaries is through the :meth:`for_type` and :meth:`for_type_by_name` | ||||
methods. | ||||
Brian Granger
|
r3278 | |||
If no function/callable is found to compute the format data, ``None`` is | ||||
returned and this format type is not used. | ||||
""" | ||||
Thomas Kluyver
|
r4046 | format_type = Unicode('text/plain') | ||
MinRK
|
r14152 | _return_type = string_types | ||
Brian Granger
|
r3278 | |||
Brian Granger
|
r3280 | enabled = Bool(True, config=True) | ||
Thomas Kluyver
|
r4047 | print_method = ObjectName('__repr__') | ||
Brian Granger
|
r3278 | |||
# The singleton printers. | ||||
# Maps the IDs of the builtin singleton objects to the format functions. | ||||
singleton_printers = Dict(config=True) | ||||
# The type-specific printers. | ||||
# Map type objects to the format functions. | ||||
type_printers = Dict(config=True) | ||||
# The deferred-import type-specific printers. | ||||
# Map (modulename, classname) pairs to the format functions. | ||||
deferred_printers = Dict(config=True) | ||||
MinRK
|
r14152 | |||
MinRK
|
r13977 | @warn_format_error | ||
Brian Granger
|
r3278 | def __call__(self, obj): | ||
"""Compute the format for an object.""" | ||||
Brian Granger
|
r3280 | if self.enabled: | ||
MinRK
|
r13977 | # lookup registered printer | ||
Brian Granger
|
r3278 | try: | ||
MinRK
|
r13977 | printer = self.lookup(obj) | ||
except KeyError: | ||||
Brian Granger
|
r3280 | pass | ||
MinRK
|
r13977 | else: | ||
return printer(obj) | ||||
# Finally look for special method names | ||||
MinRK
|
r15486 | method = _safe_get_formatter_method(obj, self.print_method) | ||
if method is not None: | ||||
MinRK
|
r13977 | return method() | ||
return None | ||||
Brian Granger
|
r3280 | else: | ||
Brian Granger
|
r3278 | return None | ||
MinRK
|
r13781 | |||
MinRK
|
r13788 | def __contains__(self, typ): | ||
"""map in to lookup_by_type""" | ||||
try: | ||||
self.lookup_by_type(typ) | ||||
except KeyError: | ||||
return False | ||||
else: | ||||
return True | ||||
MinRK
|
r13781 | def lookup(self, obj): | ||
"""Look up the formatter for a given instance. | ||||
Parameters | ||||
---------- | ||||
obj : object instance | ||||
Returns | ||||
------- | ||||
f : callable | ||||
MinRK
|
r13788 | The registered formatting callable for the type. | ||
MinRK
|
r13781 | |||
Raises | ||||
------ | ||||
KeyError if the type has not been registered. | ||||
""" | ||||
# look for singleton first | ||||
obj_id = id(obj) | ||||
if obj_id in self.singleton_printers: | ||||
return self.singleton_printers[obj_id] | ||||
# then lookup by type | ||||
return self.lookup_by_type(_get_type(obj)) | ||||
def lookup_by_type(self, typ): | ||||
MinRK
|
r13788 | """Look up the registered formatter for a type. | ||
MinRK
|
r13781 | |||
Parameters | ||||
---------- | ||||
MinRK
|
r13790 | typ : type or '__module__.__name__' string for a type | ||
MinRK
|
r13781 | |||
Returns | ||||
------- | ||||
f : callable | ||||
MinRK
|
r13788 | The registered formatting callable for the type. | ||
Brian Granger
|
r3278 | |||
MinRK
|
r13781 | Raises | ||
------ | ||||
KeyError if the type has not been registered. | ||||
""" | ||||
MinRK
|
r13788 | if isinstance(typ, string_types): | ||
typ_key = tuple(typ.rsplit('.',1)) | ||||
if typ_key not in self.deferred_printers: | ||||
# We may have it cached in the type map. We will have to | ||||
# iterate over all of the types to check. | ||||
for cls in self.type_printers: | ||||
if _mod_name_key(cls) == typ_key: | ||||
return self.type_printers[cls] | ||||
else: | ||||
return self.deferred_printers[typ_key] | ||||
else: | ||||
for cls in pretty._get_mro(typ): | ||||
if cls in self.type_printers or self._in_deferred_types(cls): | ||||
return self.type_printers[cls] | ||||
MinRK
|
r13781 | |||
# If we have reached here, the lookup failed. | ||||
raise KeyError("No registered printer for {0!r}".format(typ)) | ||||
def for_type(self, typ, func=None): | ||||
Brian Granger
|
r3278 | """Add a format function for a given type. | ||
MinRK
|
r13654 | |||
Brian Granger
|
r3288 | Parameters | ||
Brian Granger
|
r3278 | ----------- | ||
MinRK
|
r13790 | typ : type or '__module__.__name__' string for a type | ||
Brian Granger
|
r3278 | The class of the object that will be formatted using `func`. | ||
func : callable | ||||
MinRK
|
r13654 | A callable for computing the format data. | ||
`func` will be called with the object to be formatted, | ||||
and will return the raw data in this formatter's format. | ||||
Subclasses may use a different call signature for the | ||||
Brian Granger
|
r3278 | `func` argument. | ||
MinRK
|
r13654 | |||
MinRK
|
r13781 | If `func` is None or not specified, there will be no change, | ||
MinRK
|
r13654 | only returning the current value. | ||
Returns | ||||
------- | ||||
oldfunc : callable | ||||
The currently registered callable. | ||||
If you are registering a new formatter, | ||||
this will be the previous value (to enable restoring later). | ||||
Brian Granger
|
r3278 | """ | ||
MinRK
|
r13781 | # if string given, interpret as 'pkg.module.class_name' | ||
if isinstance(typ, string_types): | ||||
type_module, type_name = typ.rsplit('.', 1) | ||||
return self.for_type_by_name(type_module, type_name, func) | ||||
try: | ||||
oldfunc = self.lookup_by_type(typ) | ||||
except KeyError: | ||||
oldfunc = None | ||||
if func is not None: | ||||
Brian Granger
|
r3278 | self.type_printers[typ] = func | ||
MinRK
|
r13781 | |||
Brian Granger
|
r3278 | return oldfunc | ||
MinRK
|
r13781 | def for_type_by_name(self, type_module, type_name, func=None): | ||
Brian Granger
|
r3278 | """Add a format function for a type specified by the full dotted | ||
module and name of the type, rather than the type of the object. | ||||
Parameters | ||||
---------- | ||||
type_module : str | ||||
The full dotted name of the module the type is defined in, like | ||||
``numpy``. | ||||
type_name : str | ||||
The name of the type (the class name), like ``dtype`` | ||||
func : callable | ||||
MinRK
|
r13654 | A callable for computing the format data. | ||
`func` will be called with the object to be formatted, | ||||
and will return the raw data in this formatter's format. | ||||
Subclasses may use a different call signature for the | ||||
Brian Granger
|
r3278 | `func` argument. | ||
MinRK
|
r13654 | |||
MinRK
|
r13781 | If `func` is None or unspecified, there will be no change, | ||
MinRK
|
r13654 | only returning the current value. | ||
Returns | ||||
------- | ||||
oldfunc : callable | ||||
The currently registered callable. | ||||
If you are registering a new formatter, | ||||
this will be the previous value (to enable restoring later). | ||||
Brian Granger
|
r3278 | """ | ||
key = (type_module, type_name) | ||||
MinRK
|
r13781 | |||
MinRK
|
r13788 | try: | ||
oldfunc = self.lookup_by_type("%s.%s" % key) | ||||
except KeyError: | ||||
oldfunc = None | ||||
MinRK
|
r13781 | if func is not None: | ||
Brian Granger
|
r3278 | self.deferred_printers[key] = func | ||
return oldfunc | ||||
MinRK
|
r13781 | |||
MinRK
|
r13788 | def pop(self, typ, default=_raise_key_error): | ||
"""Pop a formatter for the given type. | ||||
MinRK
|
r13781 | |||
Parameters | ||||
---------- | ||||
typ : type or '__module__.__name__' string for a type | ||||
MinRK
|
r13788 | default : object | ||
value to be returned if no formatter is registered for typ. | ||||
MinRK
|
r13781 | |||
Returns | ||||
------- | ||||
obj : object | ||||
The last registered object for the type. | ||||
Raises | ||||
------ | ||||
MinRK
|
r13788 | KeyError if the type is not registered and default is not specified. | ||
MinRK
|
r13781 | """ | ||
MinRK
|
r13788 | |||
MinRK
|
r13781 | if isinstance(typ, string_types): | ||
typ_key = tuple(typ.rsplit('.',1)) | ||||
if typ_key not in self.deferred_printers: | ||||
# We may have it cached in the type map. We will have to | ||||
# iterate over all of the types to check. | ||||
for cls in self.type_printers: | ||||
if _mod_name_key(cls) == typ_key: | ||||
old = self.type_printers.pop(cls) | ||||
break | ||||
else: | ||||
MinRK
|
r13788 | old = default | ||
MinRK
|
r13781 | else: | ||
MinRK
|
r13783 | old = self.deferred_printers.pop(typ_key) | ||
MinRK
|
r13781 | else: | ||
if typ in self.type_printers: | ||||
old = self.type_printers.pop(typ) | ||||
else: | ||||
MinRK
|
r13788 | old = self.deferred_printers.pop(_mod_name_key(typ), default) | ||
if old is _raise_key_error: | ||||
raise KeyError("No registered value for {0!r}".format(typ)) | ||||
MinRK
|
r13781 | return old | ||
Brian Granger
|
r3278 | |||
Brian Granger
|
r3279 | def _in_deferred_types(self, cls): | ||
""" | ||||
Check if the given class is specified in the deferred type registry. | ||||
MinRK
|
r13781 | Successful matches will be moved to the regular type registry for future use. | ||
Brian Granger
|
r3279 | """ | ||
mod = getattr(cls, '__module__', None) | ||||
name = getattr(cls, '__name__', None) | ||||
key = (mod, name) | ||||
if key in self.deferred_printers: | ||||
# Move the printer over to the regular registry. | ||||
printer = self.deferred_printers.pop(key) | ||||
self.type_printers[cls] = printer | ||||
MinRK
|
r13781 | return True | ||
return False | ||||
Brian Granger
|
r3278 | |||
Brian Granger
|
r3280 | |||
Brian Granger
|
r3278 | class PlainTextFormatter(BaseFormatter): | ||
"""The default pretty-printer. | ||||
Robert Kern
|
r6292 | This uses :mod:`IPython.lib.pretty` to compute the format data of | ||
Brian Granger
|
r3278 | the object. If the object cannot be pretty printed, :func:`repr` is used. | ||
Robert Kern
|
r6292 | See the documentation of :mod:`IPython.lib.pretty` for details on | ||
Brian Granger
|
r3278 | how to write pretty printers. Here is a simple example:: | ||
def dtype_pprinter(obj, p, cycle): | ||||
if cycle: | ||||
return p.text('dtype(...)') | ||||
if hasattr(obj, 'fields'): | ||||
if obj.fields is None: | ||||
p.text(repr(obj)) | ||||
else: | ||||
p.begin_group(7, 'dtype([') | ||||
for i, field in enumerate(obj.descr): | ||||
if i > 0: | ||||
p.text(',') | ||||
p.breakable() | ||||
p.pretty(field) | ||||
p.end_group(7, '])') | ||||
""" | ||||
# The format type of data returned. | ||||
Thomas Kluyver
|
r4046 | format_type = Unicode('text/plain') | ||
Brian Granger
|
r3278 | |||
Brian Granger
|
r3280 | # This subclass ignores this attribute as it always need to return | ||
# something. | ||||
enabled = Bool(True, config=False) | ||||
Brian Granger
|
r3879 | # Look for a _repr_pretty_ methods to use for pretty printing. | ||
Thomas Kluyver
|
r4047 | print_method = ObjectName('_repr_pretty_') | ||
Robert Kern
|
r3209 | |||
# Whether to pretty-print or not. | ||||
Robert Kern
|
r3210 | pprint = Bool(True, config=True) | ||
Robert Kern
|
r3209 | |||
# Whether to be verbose or not. | ||||
Robert Kern
|
r3210 | verbose = Bool(False, config=True) | ||
Robert Kern
|
r3209 | |||
# The maximum width. | ||||
MinRK
|
r5344 | max_width = Integer(79, config=True) | ||
Robert Kern
|
r3209 | |||
# The newline character. | ||||
Thomas Kluyver
|
r4046 | newline = Unicode('\n', config=True) | ||
Bernardo B. Marques
|
r4872 | |||
MinRK
|
r3350 | # format-string for pprinting floats | ||
Thomas Kluyver
|
r4046 | float_format = Unicode('%r') | ||
MinRK
|
r3350 | # setter for float precision, either int or direct format-string | ||
Thomas Kluyver
|
r4046 | float_precision = CUnicode('', config=True) | ||
Bernardo B. Marques
|
r4872 | |||
MinRK
|
r3350 | def _float_precision_changed(self, name, old, new): | ||
"""float_precision changed, set float_format accordingly. | ||||
Bernardo B. Marques
|
r4872 | |||
MinRK
|
r3350 | float_precision can be set by int or str. | ||
This will set float_format, after interpreting input. | ||||
If numpy has been imported, numpy print precision will also be set. | ||||
Bernardo B. Marques
|
r4872 | |||
MinRK
|
r3350 | integer `n` sets format to '%.nf', otherwise, format set directly. | ||
Bernardo B. Marques
|
r4872 | |||
MinRK
|
r3350 | An empty string returns to defaults (repr for float, 8 for numpy). | ||
Bernardo B. Marques
|
r4872 | |||
MinRK
|
r3350 | This parameter can be set via the '%precision' magic. | ||
""" | ||||
Bernardo B. Marques
|
r4872 | |||
MinRK
|
r3350 | if '%' in new: | ||
# got explicit format string | ||||
fmt = new | ||||
try: | ||||
fmt%3.14159 | ||||
except Exception: | ||||
raise ValueError("Precision must be int or format string, not %r"%new) | ||||
elif new: | ||||
# otherwise, should be an int | ||||
try: | ||||
i = int(new) | ||||
assert i >= 0 | ||||
except ValueError: | ||||
raise ValueError("Precision must be int or format string, not %r"%new) | ||||
except AssertionError: | ||||
raise ValueError("int precision must be non-negative, not %r"%i) | ||||
Bernardo B. Marques
|
r4872 | |||
MinRK
|
r3350 | fmt = '%%.%if'%i | ||
if 'numpy' in sys.modules: | ||||
# set numpy precision if it has been imported | ||||
import numpy | ||||
numpy.set_printoptions(precision=i) | ||||
else: | ||||
# default back to repr | ||||
fmt = '%r' | ||||
if 'numpy' in sys.modules: | ||||
import numpy | ||||
# numpy default is 8 | ||||
numpy.set_printoptions(precision=8) | ||||
self.float_format = fmt | ||||
Robert Kern
|
r3209 | |||
Robert Kern
|
r6292 | # Use the default pretty printers from IPython.lib.pretty. | ||
Brian Granger
|
r3278 | def _singleton_printers_default(self): | ||
Robert Kern
|
r3209 | return pretty._singleton_pprinters.copy() | ||
Brian Granger
|
r3278 | def _type_printers_default(self): | ||
MinRK
|
r3350 | d = pretty._type_pprinters.copy() | ||
d[float] = lambda obj,p,cycle: p.text(self.float_format%obj) | ||||
return d | ||||
Robert Kern
|
r3209 | |||
Brian Granger
|
r3278 | def _deferred_printers_default(self): | ||
Robert Kern
|
r3209 | return pretty._deferred_type_pprinters.copy() | ||
#### FormatterABC interface #### | ||||
MinRK
|
r13977 | @warn_format_error | ||
Robert Kern
|
r3209 | def __call__(self, obj): | ||
Brian Granger
|
r3278 | """Compute the pretty representation of the object.""" | ||
Robert Kern
|
r3209 | if not self.pprint: | ||
MinRK
|
r13424 | return pretty._safe_repr(obj) | ||
Robert Kern
|
r3209 | else: | ||
Brian Granger
|
r3278 | # This uses use StringIO, as cStringIO doesn't handle unicode. | ||
Robert Kern
|
r3209 | stream = StringIO() | ||
Thomas Kluyver
|
r4373 | # self.newline.encode() is a quick fix for issue gh-597. We need to | ||
# ensure that stream does not get a mix of unicode and bytestrings, | ||||
# or it will cause trouble. | ||||
Robert Kern
|
r3209 | printer = pretty.RepresentationPrinter(stream, self.verbose, | ||
Thomas Kluyver
|
r4745 | self.max_width, unicode_to_str(self.newline), | ||
Brian Granger
|
r3278 | singleton_pprinters=self.singleton_printers, | ||
type_pprinters=self.type_printers, | ||||
deferred_pprinters=self.deferred_printers) | ||||
Robert Kern
|
r3209 | printer.pretty(obj) | ||
printer.flush() | ||||
return stream.getvalue() | ||||
Brian Granger
|
r3278 | class HTMLFormatter(BaseFormatter): | ||
"""An HTML formatter. | ||||
Robert Kern
|
r3209 | |||
Brian Granger
|
r3278 | To define the callables that compute the HTML representation of your | ||
Brian Granger
|
r3878 | objects, define a :meth:`_repr_html_` method or use the :meth:`for_type` | ||
Brian Granger
|
r3278 | or :meth:`for_type_by_name` methods to register functions that handle | ||
this. | ||||
Brian Granger
|
r3880 | |||
The return value of this formatter should be a valid HTML snippet that | ||||
Bernardo B. Marques
|
r4872 | could be injected into an existing DOM. It should *not* include the | ||
Brian Granger
|
r3880 | ```<html>`` or ```<body>`` tags. | ||
Brian Granger
|
r3278 | """ | ||
Thomas Kluyver
|
r4046 | format_type = Unicode('text/html') | ||
Robert Kern
|
r3209 | |||
Thomas Kluyver
|
r4047 | print_method = ObjectName('_repr_html_') | ||
Robert Kern
|
r3209 | |||
Brian Granger
|
r3278 | class SVGFormatter(BaseFormatter): | ||
"""An SVG formatter. | ||||
To define the callables that compute the SVG representation of your | ||||
Brian Granger
|
r3878 | objects, define a :meth:`_repr_svg_` method or use the :meth:`for_type` | ||
Brian Granger
|
r3278 | or :meth:`for_type_by_name` methods to register functions that handle | ||
this. | ||||
Brian Granger
|
r3880 | |||
The return value of this formatter should be valid SVG enclosed in | ||||
```<svg>``` tags, that could be injected into an existing DOM. It should | ||||
*not* include the ```<html>`` or ```<body>`` tags. | ||||
Robert Kern
|
r3209 | """ | ||
Thomas Kluyver
|
r4046 | format_type = Unicode('image/svg+xml') | ||
Robert Kern
|
r3209 | |||
Thomas Kluyver
|
r4047 | print_method = ObjectName('_repr_svg_') | ||
Robert Kern
|
r3209 | |||
Brian Granger
|
r3278 | class PNGFormatter(BaseFormatter): | ||
"""A PNG formatter. | ||||
Robert Kern
|
r3214 | |||
Brian Granger
|
r3278 | To define the callables that compute the PNG representation of your | ||
Brian Granger
|
r3878 | objects, define a :meth:`_repr_png_` method or use the :meth:`for_type` | ||
Brian Granger
|
r3278 | or :meth:`for_type_by_name` methods to register functions that handle | ||
Brian Granger
|
r3878 | this. | ||
Brian Granger
|
r3880 | The return value of this formatter should be raw PNG data, *not* | ||
base64 encoded. | ||||
Brian Granger
|
r3278 | """ | ||
Thomas Kluyver
|
r4046 | format_type = Unicode('image/png') | ||
Brian Granger
|
r3278 | |||
Thomas Kluyver
|
r4047 | print_method = ObjectName('_repr_png_') | ||
MinRK
|
r14152 | |||
MinRK
|
r14162 | _return_type = (bytes, unicode_type) | ||
Brian Granger
|
r3278 | |||
Brian E. Granger
|
r4528 | class JPEGFormatter(BaseFormatter): | ||
"""A JPEG formatter. | ||||
To define the callables that compute the JPEG representation of your | ||||
objects, define a :meth:`_repr_jpeg_` method or use the :meth:`for_type` | ||||
or :meth:`for_type_by_name` methods to register functions that handle | ||||
this. | ||||
The return value of this formatter should be raw JPEG data, *not* | ||||
base64 encoded. | ||||
""" | ||||
format_type = Unicode('image/jpeg') | ||||
print_method = ObjectName('_repr_jpeg_') | ||||
MinRK
|
r14162 | _return_type = (bytes, unicode_type) | ||
MinRK
|
r14152 | |||
Brian E. Granger
|
r4528 | |||
Brian Granger
|
r3278 | class LatexFormatter(BaseFormatter): | ||
"""A LaTeX formatter. | ||||
To define the callables that compute the LaTeX representation of your | ||||
Brian Granger
|
r3878 | objects, define a :meth:`_repr_latex_` method or use the :meth:`for_type` | ||
Brian Granger
|
r3278 | or :meth:`for_type_by_name` methods to register functions that handle | ||
this. | ||||
Brian Granger
|
r3880 | |||
The return value of this formatter should be a valid LaTeX equation, | ||||
Brian Granger
|
r6065 | enclosed in either ```$```, ```$$``` or another LaTeX equation | ||
environment. | ||||
Brian Granger
|
r3278 | """ | ||
Thomas Kluyver
|
r4046 | format_type = Unicode('text/latex') | ||
Brian Granger
|
r3278 | |||
Thomas Kluyver
|
r4047 | print_method = ObjectName('_repr_latex_') | ||
Brian Granger
|
r3278 | |||
class JSONFormatter(BaseFormatter): | ||||
"""A JSON string formatter. | ||||
To define the callables that compute the JSON string representation of | ||||
Brian Granger
|
r3878 | your objects, define a :meth:`_repr_json_` method or use the :meth:`for_type` | ||
Brian Granger
|
r3278 | or :meth:`for_type_by_name` methods to register functions that handle | ||
this. | ||||
Brian Granger
|
r3880 | |||
The return value of this formatter should be a valid JSON string. | ||||
Brian Granger
|
r3278 | """ | ||
Thomas Kluyver
|
r4046 | format_type = Unicode('application/json') | ||
Brian Granger
|
r3278 | |||
Thomas Kluyver
|
r4047 | print_method = ObjectName('_repr_json_') | ||
Brian Granger
|
r3878 | |||
class JavascriptFormatter(BaseFormatter): | ||||
"""A Javascript formatter. | ||||
To define the callables that compute the Javascript representation of | ||||
Bernardo B. Marques
|
r4872 | your objects, define a :meth:`_repr_javascript_` method or use the | ||
Brian Granger
|
r3878 | :meth:`for_type` or :meth:`for_type_by_name` methods to register functions | ||
that handle this. | ||||
Brian Granger
|
r3880 | |||
The return value of this formatter should be valid Javascript code and | ||||
should *not* be enclosed in ```<script>``` tags. | ||||
Brian Granger
|
r3878 | """ | ||
Thomas Kluyver
|
r4046 | format_type = Unicode('application/javascript') | ||
Brian Granger
|
r3278 | |||
Thomas Kluyver
|
r4047 | print_method = ObjectName('_repr_javascript_') | ||
Brian Granger
|
r3278 | |||
Brian E. Granger
|
r15121 | |||
class PDFFormatter(BaseFormatter): | ||||
"""A PDF formatter. | ||||
To defined the callables that compute to PDF representation of your | ||||
objects, define a :meth:`_repr_pdf_` method or use the :meth:`for_type` | ||||
or :meth:`for_type_by_name` methods to register functions that handle | ||||
this. | ||||
The return value of this formatter should be raw PDF data, *not* | ||||
base64 encoded. | ||||
""" | ||||
format_type = Unicode('application/pdf') | ||||
print_method = ObjectName('_repr_pdf_') | ||||
Brian Granger
|
r3278 | FormatterABC.register(BaseFormatter) | ||
FormatterABC.register(PlainTextFormatter) | ||||
FormatterABC.register(HTMLFormatter) | ||||
FormatterABC.register(SVGFormatter) | ||||
FormatterABC.register(PNGFormatter) | ||||
Brian E. Granger
|
r15121 | FormatterABC.register(PDFFormatter) | ||
Brian E. Granger
|
r4528 | FormatterABC.register(JPEGFormatter) | ||
Brian Granger
|
r3278 | FormatterABC.register(LatexFormatter) | ||
FormatterABC.register(JSONFormatter) | ||||
Brian Granger
|
r3878 | FormatterABC.register(JavascriptFormatter) | ||
Brian Granger
|
r3278 | |||
def format_display_data(obj, include=None, exclude=None): | ||||
"""Return a format data dict for an object. | ||||
By default all format types will be computed. | ||||
The following MIME types are currently implemented: | ||||
* text/plain | ||||
* text/html | ||||
* text/latex | ||||
* application/json | ||||
Brian E. Granger
|
r4526 | * application/javascript | ||
Brian E. Granger
|
r15121 | * application/pdf | ||
Brian Granger
|
r3278 | * image/png | ||
Brian E. Granger
|
r4528 | * image/jpeg | ||
Brian E. Granger
|
r4526 | * image/svg+xml | ||
Brian Granger
|
r3278 | |||
Parameters | ||||
---------- | ||||
obj : object | ||||
The Python object whose format data will be computed. | ||||
Returns | ||||
------- | ||||
format_dict : dict | ||||
A dictionary of key/value pairs, one or each format that was | ||||
generated for the object. The keys are the format types, which | ||||
will usually be MIME type strings and the values and JSON'able | ||||
data structure containing the raw data for the representation in | ||||
that format. | ||||
include : list or tuple, optional | ||||
A list of format type strings (MIME types) to include in the | ||||
format data dict. If this is set *only* the format types included | ||||
in this list will be computed. | ||||
exclude : list or tuple, optional | ||||
A list of format type string (MIME types) to exclue in the format | ||||
data dict. If this is set all format types will be computed, | ||||
except for those included in this argument. | ||||
""" | ||||
from IPython.core.interactiveshell import InteractiveShell | ||||
Robert Kern
|
r3209 | |||
Brian Granger
|
r3278 | InteractiveShell.instance().display_formatter.format( | ||
obj, | ||||
include, | ||||
exclude | ||||
) | ||||
Brian E. Granger
|
r4528 | |||