widget.py
490 lines
| 18.1 KiB
| text/x-python
|
PythonLexer
Jonathan Frederic
|
r14586 | """Base Widget class. Allows user to create widgets in the back-end that render | ||
in the IPython notebook front-end. | ||||
Jonathan Frederic
|
r14283 | """ | ||
#----------------------------------------------------------------------------- | ||||
# Copyright (c) 2013, the IPython Development Team. | ||||
# | ||||
# Distributed under the terms of the Modified BSD License. | ||||
# | ||||
# The full license is in the file COPYING.txt, distributed with this software. | ||||
#----------------------------------------------------------------------------- | ||||
#----------------------------------------------------------------------------- | ||||
# Imports | ||||
#----------------------------------------------------------------------------- | ||||
Jonathan Frederic
|
r14579 | from contextlib import contextmanager | ||
Jason Grout
|
r17621 | import collections | ||
Jonathan Frederic
|
r14223 | |||
MinRK
|
r15192 | from IPython.core.getipython import get_ipython | ||
Jonathan Frederic
|
r14229 | from IPython.kernel.comm import Comm | ||
from IPython.config import LoggingConfigurable | ||||
Jonathan Frederic
|
r18506 | from IPython.utils.importstring import import_item | ||
Jonathan Frederic
|
r17723 | from IPython.utils.traitlets import Unicode, Dict, Instance, Bool, List, \ | ||
Sylvain Corlay
|
r20797 | CaselessStrEnum, Tuple, CUnicode, Int, Set | ||
Jonathan Frederic
|
r14232 | from IPython.utils.py3compat import string_types | ||
Sylvain Corlay
|
r20797 | from .trait_types import Color | ||
Jonathan Frederic
|
r14232 | |||
Jonathan Frederic
|
r14283 | #----------------------------------------------------------------------------- | ||
# Classes | ||||
#----------------------------------------------------------------------------- | ||||
Jonathan Frederic
|
r14658 | class CallbackDispatcher(LoggingConfigurable): | ||
MinRK
|
r14793 | """A structure for registering and running callbacks""" | ||
callbacks = List() | ||||
def __call__(self, *args, **kwargs): | ||||
"""Call all of the registered callbacks.""" | ||||
Jonathan Frederic
|
r14721 | value = None | ||
MinRK
|
r14793 | for callback in self.callbacks: | ||
try: | ||||
local_value = callback(*args, **kwargs) | ||||
except Exception as e: | ||||
MinRK
|
r15192 | ip = get_ipython() | ||
if ip is None: | ||||
self.log.warn("Exception in callback %s: %s", callback, e, exc_info=True) | ||||
else: | ||||
ip.showtraceback() | ||||
MinRK
|
r14793 | else: | ||
Jonathan Frederic
|
r14721 | value = local_value if local_value is not None else value | ||
return value | ||||
Jonathan Frederic
|
r14658 | |||
def register_callback(self, callback, remove=False): | ||||
"""(Un)Register a callback | ||||
Parameters | ||||
---------- | ||||
callback: method handle | ||||
MinRK
|
r14793 | Method to be registered or unregistered. | ||
Jonathan Frederic
|
r14658 | remove=False: bool | ||
MinRK
|
r14793 | Whether to unregister the callback.""" | ||
Jonathan Frederic
|
r14658 | # (Un)Register the callback. | ||
MinRK
|
r14793 | if remove and callback in self.callbacks: | ||
self.callbacks.remove(callback) | ||||
elif not remove and callback not in self.callbacks: | ||||
self.callbacks.append(callback) | ||||
Jonathan Frederic
|
r14223 | |||
MinRK
|
r15192 | def _show_traceback(method): | ||
"""decorator for showing tracebacks in IPython""" | ||||
def m(self, *args, **kwargs): | ||||
try: | ||||
return(method(self, *args, **kwargs)) | ||||
except Exception as e: | ||||
ip = get_ipython() | ||||
if ip is None: | ||||
self.log.warn("Exception in widget method %s: %s", method, e, exc_info=True) | ||||
else: | ||||
ip.showtraceback() | ||||
return m | ||||
Jonathan Frederic
|
r14658 | |||
Sylvain Corlay
|
r18530 | |||
def register(key=None): | ||||
Sylvain Corlay
|
r18532 | """Returns a decorator registering a widget class in the widget registry. | ||
If no key is provided, the class name is used as a key. A key is | ||||
Sylvain Corlay
|
r18533 | provided for each core IPython widget so that the frontend can use | ||
Sylvain Corlay
|
r18532 | this key regardless of the language of the kernel""" | ||
Sylvain Corlay
|
r18530 | def wrap(widget): | ||
Sylvain Corlay
|
r18532 | l = key if key is not None else widget.__module__ + widget.__name__ | ||
Sylvain Corlay
|
r18530 | Widget.widget_types[l] = widget | ||
return widget | ||||
return wrap | ||||
Jonathan Frederic
|
r14658 | class Widget(LoggingConfigurable): | ||
Jonathan Frederic
|
r14653 | #------------------------------------------------------------------------- | ||
# Class attributes | ||||
#------------------------------------------------------------------------- | ||||
MinRK
|
r14793 | _widget_construction_callback = None | ||
Jonathan Frederic
|
r14586 | widgets = {} | ||
Sylvain Corlay
|
r18530 | widget_types = {} | ||
Jonathan Frederic
|
r14478 | |||
MinRK
|
r14793 | @staticmethod | ||
Jonathan Frederic
|
r14478 | def on_widget_constructed(callback): | ||
MinRK
|
r14793 | """Registers a callback to be called when a widget is constructed. | ||
Jonathan Frederic
|
r14607 | |||
The callback must have the following signature: | ||||
Jonathan Frederic
|
r14478 | callback(widget)""" | ||
MinRK
|
r14793 | Widget._widget_construction_callback = callback | ||
Jonathan Frederic
|
r14478 | |||
MinRK
|
r14793 | @staticmethod | ||
Jonathan Frederic
|
r14542 | def _call_widget_constructed(widget): | ||
MinRK
|
r14793 | """Static method, called when a widget is constructed.""" | ||
if Widget._widget_construction_callback is not None and callable(Widget._widget_construction_callback): | ||||
Widget._widget_construction_callback(widget) | ||||
Jonathan Frederic
|
r14478 | |||
Jonathan Frederic
|
r18506 | @staticmethod | ||
def handle_comm_opened(comm, msg): | ||||
"""Static method, called when a widget is constructed.""" | ||||
Jonathan Frederic
|
r18515 | widget_class = import_item(msg['content']['data']['widget_class']) | ||
Jonathan Frederic
|
r18514 | widget = widget_class(comm=comm) | ||
Jonathan Frederic
|
r18506 | |||
Jonathan Frederic
|
r14653 | #------------------------------------------------------------------------- | ||
# Traits | ||||
#------------------------------------------------------------------------- | ||||
Thomas Kluyver
|
r18466 | _model_module = Unicode(None, allow_none=True, help="""A requirejs module name | ||
in which to find _model_name. If empty, look in the global registry.""") | ||||
Jonathan Frederic
|
r14896 | _model_name = Unicode('WidgetModel', help="""Name of the backbone model | ||
Jonathan Frederic
|
r14586 | registered in the front-end to create and sync this widget with.""") | ||
Thomas Kluyver
|
r18143 | _view_module = Unicode(help="""A requirejs module in which to find _view_name. | ||
Thomas Kluyver
|
r18142 | If empty, look in the global registry.""", sync=True) | ||
Sylvain Corlay
|
r17989 | _view_name = Unicode(None, allow_none=True, help="""Default view registered in the front-end | ||
Jonathan Frederic
|
r14588 | to use to represent the widget.""", sync=True) | ||
Jason Grout
|
r17615 | comm = Instance('IPython.kernel.comm.Comm') | ||
MinRK
|
r14793 | |||
Jonathan Frederic
|
r15368 | msg_throttle = Int(3, sync=True, help="""Maximum number of msgs the | ||
front-end can send before receiving an idle msg from the back-end.""") | ||||
MinRK
|
r14793 | |||
Jonathan Frederic
|
r18311 | version = Int(0, sync=True, help="""Widget's version""") | ||
MinRK
|
r14793 | keys = List() | ||
def _keys_default(self): | ||||
return [name for name in self.traits(sync=True)] | ||||
_property_lock = Tuple((None, None)) | ||||
Jason Grout
|
r17621 | _send_state_lock = Int(0) | ||
Sylvain Corlay
|
r20483 | _states_to_send = Set() | ||
MinRK
|
r14793 | _display_callbacks = Instance(CallbackDispatcher, ()) | ||
_msg_callbacks = Instance(CallbackDispatcher, ()) | ||||
Jonathan Frederic
|
r14653 | #------------------------------------------------------------------------- | ||
# (Con/de)structor | ||||
MinRK
|
r14793 | #------------------------------------------------------------------------- | ||
Jonathan Frederic
|
r18517 | def __init__(self, **kwargs): | ||
Jonathan Frederic
|
r14607 | """Public constructor""" | ||
Sylvain Corlay
|
r17616 | self._model_id = kwargs.pop('model_id', None) | ||
Jonathan Frederic
|
r14540 | super(Widget, self).__init__(**kwargs) | ||
Jonathan Frederic
|
r14478 | |||
Jonathan Frederic
|
r14542 | Widget._call_widget_constructed(self) | ||
Jonathan Frederic
|
r18514 | self.open() | ||
Jason Grout
|
r14485 | |||
Jonathan Frederic
|
r14223 | def __del__(self): | ||
Jonathan Frederic
|
r14283 | """Object disposal""" | ||
Jonathan Frederic
|
r14223 | self.close() | ||
Jason Grout
|
r14485 | |||
Jonathan Frederic
|
r14653 | #------------------------------------------------------------------------- | ||
# Properties | ||||
MinRK
|
r14793 | #------------------------------------------------------------------------- | ||
Jonathan Frederic
|
r14586 | |||
Jason Grout
|
r17612 | def open(self): | ||
"""Open a comm to the frontend if one isn't already open.""" | ||||
Jason Grout
|
r17615 | if self.comm is None: | ||
Thomas Kluyver
|
r18466 | args = dict(target_name='ipython.widget', | ||
data={'model_name': self._model_name, | ||||
'model_module': self._model_module}) | ||||
Jonathan Frederic
|
r18264 | if self._model_id is not None: | ||
args['comm_id'] = self._model_id | ||||
Jonathan Frederic
|
r18511 | self.comm = Comm(**args) | ||
Jason Grout
|
r17612 | |||
Jonathan Frederic
|
r18511 | def _comm_changed(self, name, new): | ||
"""Called when the comm is changed.""" | ||||
Min RK
|
r18796 | if new is None: | ||
return | ||||
Jonathan Frederic
|
r18509 | self._model_id = self.model_id | ||
self.comm.on_msg(self._handle_msg) | ||||
Widget.widgets[self.model_id] = self | ||||
Jonathan Frederic
|
r18507 | # first update | ||
self.send_state() | ||||
Jonathan Frederic
|
r14512 | @property | ||
def model_id(self): | ||||
Jonathan Frederic
|
r14654 | """Gets the model id of this widget. | ||
If a Comm doesn't exist yet, a Comm will be created automagically.""" | ||||
Jonathan Frederic
|
r14527 | return self.comm.comm_id | ||
Jason Grout
|
r14485 | |||
Jonathan Frederic
|
r14653 | #------------------------------------------------------------------------- | ||
# Methods | ||||
MinRK
|
r14793 | #------------------------------------------------------------------------- | ||
Jonathan Frederic
|
r14653 | def close(self): | ||
MinRK
|
r14793 | """Close method. | ||
Jonathan Frederic
|
r14232 | |||
sylvain.corlay
|
r17405 | Closes the underlying comm. | ||
Jonathan Frederic
|
r14653 | When the comm is closed, all of the widget views are automatically | ||
removed from the front-end.""" | ||||
Jason Grout
|
r17615 | if self.comm is not None: | ||
MinRK
|
r17540 | Widget.widgets.pop(self.model_id, None) | ||
Jason Grout
|
r17615 | self.comm.close() | ||
self.comm = None | ||||
Sylvain Corlay
|
r17465 | |||
Jonathan Frederic
|
r14283 | def send_state(self, key=None): | ||
Jonathan Frederic
|
r14586 | """Sends the widget state, or a piece of it, to the front-end. | ||
Jonathan Frederic
|
r14283 | |||
Parameters | ||||
---------- | ||||
Jason Grout
|
r17621 | key : unicode, or iterable (optional) | ||
A single property's name or iterable of property names to sync with the front-end. | ||||
Jonathan Frederic
|
r14283 | """ | ||
Jonathan Frederic
|
r14610 | self._send({ | ||
"method" : "update", | ||||
Jason Grout
|
r17621 | "state" : self.get_state(key=key) | ||
Jonathan Frederic
|
r14610 | }) | ||
Jonathan Frederic
|
r14283 | |||
Jason Grout
|
r14486 | def get_state(self, key=None): | ||
Jason Grout
|
r14485 | """Gets the widget state, or a piece of it. | ||
Jonathan Frederic
|
r14283 | |||
Parameters | ||||
---------- | ||||
Jason Grout
|
r17621 | key : unicode or iterable (optional) | ||
A single property's name or iterable of property names to get. | ||||
Jonathan Frederic
|
r14283 | """ | ||
Jason Grout
|
r17621 | if key is None: | ||
keys = self.keys | ||||
elif isinstance(key, string_types): | ||||
keys = [key] | ||||
elif isinstance(key, collections.Iterable): | ||||
keys = key | ||||
else: | ||||
raise ValueError("key must be a string, an iterable of keys, or None") | ||||
Jason Grout
|
r17237 | state = {} | ||
for k in keys: | ||||
Jason Grout
|
r17674 | f = self.trait_metadata(k, 'to_json', self._trait_to_json) | ||
Jason Grout
|
r17294 | value = getattr(self, k) | ||
state[k] = f(value) | ||||
Jason Grout
|
r17237 | return state | ||
Jonathan Frederic
|
r18070 | |||
def set_state(self, sync_data): | ||||
"""Called when a state is received from the front-end.""" | ||||
for name in self.keys: | ||||
if name in sync_data: | ||||
json_value = sync_data[name] | ||||
from_json = self.trait_metadata(name, 'from_json', self._trait_from_json) | ||||
with self._lock_property(name, json_value): | ||||
setattr(self, name, from_json(json_value)) | ||||
Jason Grout
|
r17237 | |||
Jonathan Frederic
|
r14387 | def send(self, content): | ||
"""Sends a custom msg to the widget model in the front-end. | ||||
Parameters | ||||
---------- | ||||
content : dict | ||||
Content of the message to send. | ||||
""" | ||||
Jonathan Frederic
|
r14655 | self._send({"method": "custom", "content": content}) | ||
Jonathan Frederic
|
r14387 | |||
Jonathan Frederic
|
r14586 | def on_msg(self, callback, remove=False): | ||
MinRK
|
r14793 | """(Un)Register a custom msg receive callback. | ||
Jonathan Frederic
|
r14387 | |||
Parameters | ||||
---------- | ||||
MinRK
|
r14793 | callback: callable | ||
Thomas Kluyver
|
r14915 | callback will be passed two arguments when a message arrives:: | ||
MinRK
|
r14793 | callback(widget, content) | ||
Thomas Kluyver
|
r14915 | |||
Jonathan Frederic
|
r14387 | remove: bool | ||
True if the callback should be unregistered.""" | ||||
Jonathan Frederic
|
r14658 | self._msg_callbacks.register_callback(callback, remove=remove) | ||
Jonathan Frederic
|
r14387 | |||
Jonathan Frederic
|
r14330 | def on_displayed(self, callback, remove=False): | ||
Jonathan Frederic
|
r14607 | """(Un)Register a widget displayed callback. | ||
Jonathan Frederic
|
r14330 | |||
Jonathan Frederic
|
r14332 | Parameters | ||
---------- | ||||
Jonathan Frederic
|
r14330 | callback: method handler | ||
Thomas Kluyver
|
r14915 | Must have a signature of:: | ||
MinRK
|
r14793 | callback(widget, **kwargs) | ||
Thomas Kluyver
|
r14915 | |||
MinRK
|
r14793 | kwargs from display are passed through without modification. | ||
Jonathan Frederic
|
r14330 | remove: bool | ||
True if the callback should be unregistered.""" | ||||
Jonathan Frederic
|
r14658 | self._display_callbacks.register_callback(callback, remove=remove) | ||
Jonathan Frederic
|
r14330 | |||
Jonathan Frederic
|
r14653 | #------------------------------------------------------------------------- | ||
Jonathan Frederic
|
r14283 | # Support methods | ||
Jonathan Frederic
|
r14653 | #------------------------------------------------------------------------- | ||
@contextmanager | ||||
Jonathan Frederic
|
r14659 | def _lock_property(self, key, value): | ||
Jonathan Frederic
|
r14653 | """Lock a property-value pair. | ||
Jason Grout
|
r17674 | The value should be the JSON state of the property. | ||
Jonathan Frederic
|
r14653 | NOTE: This, in addition to the single lock for all state changes, is | ||
flawed. In the future we may want to look into buffering state changes | ||||
back to the front-end.""" | ||||
self._property_lock = (key, value) | ||||
try: | ||||
yield | ||||
finally: | ||||
self._property_lock = (None, None) | ||||
Jason Grout
|
r17621 | @contextmanager | ||
def hold_sync(self): | ||||
"""Hold syncing any state until the context manager is released""" | ||||
# We increment a value so that this can be nested. Syncing will happen when | ||||
# all levels have been released. | ||||
self._send_state_lock += 1 | ||||
try: | ||||
yield | ||||
finally: | ||||
self._send_state_lock -=1 | ||||
if self._send_state_lock == 0: | ||||
self.send_state(self._states_to_send) | ||||
self._states_to_send.clear() | ||||
Jonathan Frederic
|
r14653 | def _should_send_property(self, key, value): | ||
"""Check the property lock (property_lock)""" | ||||
Jason Grout
|
r17674 | to_json = self.trait_metadata(key, 'to_json', self._trait_to_json) | ||
if (key == self._property_lock[0] | ||||
and to_json(value) == self._property_lock[1]): | ||||
Jason Grout
|
r17623 | return False | ||
elif self._send_state_lock > 0: | ||||
Jason Grout
|
r17621 | self._states_to_send.add(key) | ||
return False | ||||
Jason Grout
|
r17623 | else: | ||
return True | ||||
Jonathan Frederic
|
r14653 | |||
# Event handlers | ||||
MinRK
|
r15192 | @_show_traceback | ||
Jonathan Frederic
|
r14653 | def _handle_msg(self, msg): | ||
"""Called when a msg is received from the front-end""" | ||||
data = msg['content']['data'] | ||||
method = data['method'] | ||||
# Handle backbone sync methods CREATE, PATCH, and UPDATE all in one. | ||||
Jonathan Frederic
|
r19350 | if method == 'backbone': | ||
if 'sync_data' in data: | ||||
sync_data = data['sync_data'] | ||||
self.set_state(sync_data) # handles all methods | ||||
# Handle a state request. | ||||
elif method == 'request_state': | ||||
self.send_state() | ||||
Jonathan Frederic
|
r14653 | |||
Jonathan Frederic
|
r19350 | # Handle a custom msg from the front-end. | ||
Jonathan Frederic
|
r14653 | elif method == 'custom': | ||
Jonathan Frederic
|
r14655 | if 'content' in data: | ||
self._handle_custom_msg(data['content']) | ||||
Jonathan Frederic
|
r14653 | |||
Jonathan Frederic
|
r19350 | # Catch remainder. | ||
else: | ||||
self.log.error('Unknown front-end to back-end widget msg with method "%s"' % method) | ||||
Jonathan Frederic
|
r14653 | def _handle_custom_msg(self, content): | ||
"""Called when a custom msg is received.""" | ||||
MinRK
|
r14793 | self._msg_callbacks(self, content) | ||
Jonathan Frederic
|
r18506 | |||
Jonathan Frederic
|
r17967 | def _notify_trait(self, name, old_value, new_value): | ||
Jonathan Frederic
|
r14653 | """Called when a property has been changed.""" | ||
Jonathan Frederic
|
r17967 | # Trigger default traitlet callback machinery. This allows any user | ||
# registered validation to be processed prior to allowing the widget | ||||
# machinery to handle the state. | ||||
Jonathan Frederic
|
r17994 | LoggingConfigurable._notify_trait(self, name, old_value, new_value) | ||
Jonathan Frederic
|
r17967 | |||
# Send the state after the user registered callbacks for trait changes | ||||
# have all fired (allows for user to validate values). | ||||
Jonathan Frederic
|
r17994 | if self.comm is not None and name in self.keys: | ||
Jonathan Frederic
|
r19350 | # Make sure this isn't information that the front-end just sent us. | ||
Jonathan Frederic
|
r17967 | if self._should_send_property(name, new_value): | ||
Jonathan Frederic
|
r18509 | # Send new state to front-end | ||
self.send_state(key=name) | ||||
Jonathan Frederic
|
r14653 | |||
def _handle_displayed(self, **kwargs): | ||||
"""Called when a view has been displayed for this widget instance""" | ||||
MinRK
|
r14793 | self._display_callbacks(self, **kwargs) | ||
Jonathan Frederic
|
r14653 | |||
Jason Grout
|
r17328 | def _trait_to_json(self, x): | ||
"""Convert a trait value to json | ||||
Jonathan Frederic
|
r14653 | |||
Jason Grout
|
r17237 | Traverse lists/tuples and dicts and serialize their values as well. | ||
Replace any widgets with their model_id | ||||
""" | ||||
Jonathan Frederic
|
r14656 | if isinstance(x, dict): | ||
Jason Grout
|
r17328 | return {k: self._trait_to_json(v) for k, v in x.items()} | ||
Jonathan Frederic
|
r15465 | elif isinstance(x, (list, tuple)): | ||
Jason Grout
|
r17328 | return [self._trait_to_json(v) for v in x] | ||
Jonathan Frederic
|
r14656 | elif isinstance(x, Widget): | ||
Jason Grout
|
r17262 | return "IPY_MODEL_" + x.model_id | ||
Jonathan Frederic
|
r14653 | else: | ||
Jonathan Frederic
|
r14657 | return x # Value must be JSON-able | ||
Jonathan Frederic
|
r14653 | |||
Jason Grout
|
r17328 | def _trait_from_json(self, x): | ||
Jason Grout
|
r17237 | """Convert json values to objects | ||
Jonathan Frederic
|
r14653 | |||
Jason Grout
|
r17328 | Replace any strings representing valid model id values to Widget references. | ||
Jason Grout
|
r17237 | """ | ||
Jonathan Frederic
|
r14656 | if isinstance(x, dict): | ||
Jason Grout
|
r17328 | return {k: self._trait_from_json(v) for k, v in x.items()} | ||
Jonathan Frederic
|
r15465 | elif isinstance(x, (list, tuple)): | ||
Jason Grout
|
r17328 | return [self._trait_from_json(v) for v in x] | ||
Jason Grout
|
r17262 | elif isinstance(x, string_types) and x.startswith('IPY_MODEL_') and x[10:] in Widget.widgets: | ||
Jason Grout
|
r17237 | # we want to support having child widgets at any level in a hierarchy | ||
# trusting that a widget UUID will not appear out in the wild | ||||
Jason Grout
|
r17733 | return Widget.widgets[x[10:]] | ||
Jonathan Frederic
|
r14653 | else: | ||
Jonathan Frederic
|
r14656 | return x | ||
Jonathan Frederic
|
r14653 | |||
Jonathan Frederic
|
r14586 | def _ipython_display_(self, **kwargs): | ||
Jonathan Frederic
|
r14607 | """Called when `IPython.display.display` is called on the widget.""" | ||
Sylvain Corlay
|
r17989 | # Show view. | ||
if self._view_name is not None: | ||||
self._send({"method": "display"}) | ||||
self._handle_displayed(**kwargs) | ||||
Jonathan Frederic
|
r14479 | |||
def _send(self, msg): | ||||
Jonathan Frederic
|
r14607 | """Sends a message to the model in the front-end.""" | ||
Jonathan Frederic
|
r14548 | self.comm.send(msg) | ||
Jonathan Frederic
|
r14516 | |||
Jonathan Frederic
|
r14540 | class DOMWidget(Widget): | ||
Jason Grout
|
r19186 | visible = Bool(True, allow_none=True, help="Whether the widget is visible. False collapses the empty space, while None preserves the empty space.", sync=True) | ||
Jonathan Frederic
|
r17723 | _css = Tuple(sync=True, help="CSS property list: (selector, key, value)") | ||
_dom_classes = Tuple(sync=True, help="DOM classes applied to widget.$el.") | ||||
Jonathan Frederic
|
r17722 | |||
width = CUnicode(sync=True) | ||||
height = CUnicode(sync=True) | ||||
Jonathan Frederic
|
r19372 | # A default padding of 2.5 px makes the widgets look nice when displayed inline. | ||
Sylvain Corlay
|
r20507 | padding = CUnicode(sync=True) | ||
Jonathan Frederic
|
r17727 | margin = CUnicode(sync=True) | ||
Jonathan Frederic
|
r17722 | |||
Sylvain Corlay
|
r20796 | color = Color(None, allow_none=True, sync=True) | ||
background_color = Color(None, allow_none=True, sync=True) | ||||
border_color = Color(None, allow_none=True, sync=True) | ||||
Jonathan Frederic
|
r17722 | |||
border_width = CUnicode(sync=True) | ||||
Jonathan Frederic
|
r17947 | border_radius = CUnicode(sync=True) | ||
Jonathan Frederic
|
r17722 | border_style = CaselessStrEnum(values=[ # http://www.w3schools.com/cssref/pr_border-style.asp | ||
'none', | ||||
'hidden', | ||||
'dotted', | ||||
'dashed', | ||||
'solid', | ||||
'double', | ||||
'groove', | ||||
'ridge', | ||||
'inset', | ||||
'outset', | ||||
'initial', | ||||
'inherit', ''], | ||||
default_value='', sync=True) | ||||
font_style = CaselessStrEnum(values=[ # http://www.w3schools.com/cssref/pr_font_font-style.asp | ||||
'normal', | ||||
'italic', | ||||
'oblique', | ||||
'initial', | ||||
'inherit', ''], | ||||
default_value='', sync=True) | ||||
font_weight = CaselessStrEnum(values=[ # http://www.w3schools.com/cssref/pr_font_weight.asp | ||||
'normal', | ||||
'bold', | ||||
'bolder', | ||||
'lighter', | ||||
'initial', | ||||
Jason Grout
|
r19837 | 'inherit', ''] + list(map(str, range(100,1000,100))), | ||
Jonathan Frederic
|
r17722 | default_value='', sync=True) | ||
font_size = CUnicode(sync=True) | ||||
font_family = Unicode(sync=True) | ||||
Jonathan Frederic
|
r17947 | |||
def __init__(self, *pargs, **kwargs): | ||||
super(DOMWidget, self).__init__(*pargs, **kwargs) | ||||
def _validate_border(name, old, new): | ||||
if new is not None and new != '': | ||||
if name != 'border_width' and not self.border_width: | ||||
self.border_width = 1 | ||||
if name != 'border_style' and self.border_style == '': | ||||
self.border_style = 'solid' | ||||
self.on_trait_change(_validate_border, ['border_width', 'border_style', 'border_color']) | ||||