Show More
@@ -1,1738 +1,1738 b'' | |||
|
1 | 1 | # encoding: utf-8 |
|
2 | 2 | """ |
|
3 | 3 | A lightweight Traits like module. |
|
4 | 4 | |
|
5 | 5 | This is designed to provide a lightweight, simple, pure Python version of |
|
6 | 6 | many of the capabilities of enthought.traits. This includes: |
|
7 | 7 | |
|
8 | 8 | * Validation |
|
9 | 9 | * Type specification with defaults |
|
10 | 10 | * Static and dynamic notification |
|
11 | 11 | * Basic predefined types |
|
12 | 12 | * An API that is similar to enthought.traits |
|
13 | 13 | |
|
14 | 14 | We don't support: |
|
15 | 15 | |
|
16 | 16 | * Delegation |
|
17 | 17 | * Automatic GUI generation |
|
18 | 18 | * A full set of trait types. Most importantly, we don't provide container |
|
19 | 19 | traits (list, dict, tuple) that can trigger notifications if their |
|
20 | 20 | contents change. |
|
21 | 21 | * API compatibility with enthought.traits |
|
22 | 22 | |
|
23 | 23 | There are also some important difference in our design: |
|
24 | 24 | |
|
25 | 25 | * enthought.traits does not validate default values. We do. |
|
26 | 26 | |
|
27 | 27 | We choose to create this module because we need these capabilities, but |
|
28 | 28 | we need them to be pure Python so they work in all Python implementations, |
|
29 | 29 | including Jython and IronPython. |
|
30 | 30 | |
|
31 | 31 | Inheritance diagram: |
|
32 | 32 | |
|
33 | 33 | .. inheritance-diagram:: IPython.utils.traitlets |
|
34 | 34 | :parts: 3 |
|
35 | 35 | """ |
|
36 | 36 | |
|
37 | 37 | # Copyright (c) IPython Development Team. |
|
38 | 38 | # Distributed under the terms of the Modified BSD License. |
|
39 | 39 | # |
|
40 | 40 | # Adapted from enthought.traits, Copyright (c) Enthought, Inc., |
|
41 | 41 | # also under the terms of the Modified BSD License. |
|
42 | 42 | |
|
43 | 43 | import contextlib |
|
44 | 44 | import inspect |
|
45 | 45 | import re |
|
46 | 46 | import sys |
|
47 | 47 | import types |
|
48 | 48 | from types import FunctionType |
|
49 | 49 | try: |
|
50 | 50 | from types import ClassType, InstanceType |
|
51 | 51 | ClassTypes = (ClassType, type) |
|
52 | 52 | except: |
|
53 | 53 | ClassTypes = (type,) |
|
54 | 54 | |
|
55 | 55 | from .importstring import import_item |
|
56 | 56 | from IPython.utils import py3compat |
|
57 | 57 | from IPython.utils import eventful |
|
58 | 58 | from IPython.utils.py3compat import iteritems, string_types |
|
59 | 59 | from IPython.testing.skipdoctest import skip_doctest |
|
60 | 60 | |
|
61 | 61 | SequenceTypes = (list, tuple, set, frozenset) |
|
62 | 62 | |
|
63 | 63 | #----------------------------------------------------------------------------- |
|
64 | 64 | # Basic classes |
|
65 | 65 | #----------------------------------------------------------------------------- |
|
66 | 66 | |
|
67 | 67 | |
|
68 | 68 | class NoDefaultSpecified ( object ): pass |
|
69 | 69 | NoDefaultSpecified = NoDefaultSpecified() |
|
70 | 70 | |
|
71 | 71 | |
|
72 | 72 | class Undefined ( object ): pass |
|
73 | 73 | Undefined = Undefined() |
|
74 | 74 | |
|
75 | 75 | class TraitError(Exception): |
|
76 | 76 | pass |
|
77 | 77 | |
|
78 | 78 | #----------------------------------------------------------------------------- |
|
79 | 79 | # Utilities |
|
80 | 80 | #----------------------------------------------------------------------------- |
|
81 | 81 | |
|
82 | 82 | |
|
83 | 83 | def class_of ( object ): |
|
84 | 84 | """ Returns a string containing the class name of an object with the |
|
85 | 85 | correct indefinite article ('a' or 'an') preceding it (e.g., 'an Image', |
|
86 | 86 | 'a PlotValue'). |
|
87 | 87 | """ |
|
88 | 88 | if isinstance( object, py3compat.string_types ): |
|
89 | 89 | return add_article( object ) |
|
90 | 90 | |
|
91 | 91 | return add_article( object.__class__.__name__ ) |
|
92 | 92 | |
|
93 | 93 | |
|
94 | 94 | def add_article ( name ): |
|
95 | 95 | """ Returns a string containing the correct indefinite article ('a' or 'an') |
|
96 | 96 | prefixed to the specified string. |
|
97 | 97 | """ |
|
98 | 98 | if name[:1].lower() in 'aeiou': |
|
99 | 99 | return 'an ' + name |
|
100 | 100 | |
|
101 | 101 | return 'a ' + name |
|
102 | 102 | |
|
103 | 103 | |
|
104 | 104 | def repr_type(obj): |
|
105 | 105 | """ Return a string representation of a value and its type for readable |
|
106 | 106 | error messages. |
|
107 | 107 | """ |
|
108 | 108 | the_type = type(obj) |
|
109 | 109 | if (not py3compat.PY3) and the_type is InstanceType: |
|
110 | 110 | # Old-style class. |
|
111 | 111 | the_type = obj.__class__ |
|
112 | 112 | msg = '%r %r' % (obj, the_type) |
|
113 | 113 | return msg |
|
114 | 114 | |
|
115 | 115 | |
|
116 | 116 | def is_trait(t): |
|
117 | 117 | """ Returns whether the given value is an instance or subclass of TraitType. |
|
118 | 118 | """ |
|
119 | 119 | return (isinstance(t, TraitType) or |
|
120 | 120 | (isinstance(t, type) and issubclass(t, TraitType))) |
|
121 | 121 | |
|
122 | 122 | |
|
123 | 123 | def parse_notifier_name(name): |
|
124 | 124 | """Convert the name argument to a list of names. |
|
125 | 125 | |
|
126 | 126 | Examples |
|
127 | 127 | -------- |
|
128 | 128 | |
|
129 | 129 | >>> parse_notifier_name('a') |
|
130 | 130 | ['a'] |
|
131 | 131 | >>> parse_notifier_name(['a','b']) |
|
132 | 132 | ['a', 'b'] |
|
133 | 133 | >>> parse_notifier_name(None) |
|
134 | 134 | ['anytrait'] |
|
135 | 135 | """ |
|
136 | 136 | if isinstance(name, string_types): |
|
137 | 137 | return [name] |
|
138 | 138 | elif name is None: |
|
139 | 139 | return ['anytrait'] |
|
140 | 140 | elif isinstance(name, (list, tuple)): |
|
141 | 141 | for n in name: |
|
142 | 142 | assert isinstance(n, string_types), "names must be strings" |
|
143 | 143 | return name |
|
144 | 144 | |
|
145 | 145 | |
|
146 | 146 | class _SimpleTest: |
|
147 | 147 | def __init__ ( self, value ): self.value = value |
|
148 | 148 | def __call__ ( self, test ): |
|
149 | 149 | return test == self.value |
|
150 | 150 | def __repr__(self): |
|
151 | 151 | return "<SimpleTest(%r)" % self.value |
|
152 | 152 | def __str__(self): |
|
153 | 153 | return self.__repr__() |
|
154 | 154 | |
|
155 | 155 | |
|
156 | 156 | def getmembers(object, predicate=None): |
|
157 | 157 | """A safe version of inspect.getmembers that handles missing attributes. |
|
158 | 158 | |
|
159 | 159 | This is useful when there are descriptor based attributes that for |
|
160 | 160 | some reason raise AttributeError even though they exist. This happens |
|
161 | 161 | in zope.inteface with the __provides__ attribute. |
|
162 | 162 | """ |
|
163 | 163 | results = [] |
|
164 | 164 | for key in dir(object): |
|
165 | 165 | try: |
|
166 | 166 | value = getattr(object, key) |
|
167 | 167 | except AttributeError: |
|
168 | 168 | pass |
|
169 | 169 | else: |
|
170 | 170 | if not predicate or predicate(value): |
|
171 | 171 | results.append((key, value)) |
|
172 | 172 | results.sort() |
|
173 | 173 | return results |
|
174 | 174 | |
|
175 | 175 | def _validate_link(*tuples): |
|
176 | 176 | """Validate arguments for traitlet link functions""" |
|
177 | 177 | for t in tuples: |
|
178 | 178 | if not len(t) == 2: |
|
179 | 179 | raise TypeError("Each linked traitlet must be specified as (HasTraits, 'trait_name'), not %r" % t) |
|
180 | 180 | obj, trait_name = t |
|
181 | 181 | if not isinstance(obj, HasTraits): |
|
182 | 182 | raise TypeError("Each object must be HasTraits, not %r" % type(obj)) |
|
183 | 183 | if not trait_name in obj.traits(): |
|
184 | 184 | raise TypeError("%r has no trait %r" % (obj, trait_name)) |
|
185 | 185 | |
|
186 | 186 | @skip_doctest |
|
187 | 187 | class link(object): |
|
188 | 188 | """Link traits from different objects together so they remain in sync. |
|
189 | 189 | |
|
190 | 190 | Parameters |
|
191 | 191 | ---------- |
|
192 | 192 | *args : pairs of objects/attributes |
|
193 | 193 | |
|
194 | 194 | Examples |
|
195 | 195 | -------- |
|
196 | 196 | |
|
197 | 197 | >>> c = link((obj1, 'value'), (obj2, 'value'), (obj3, 'value')) |
|
198 | 198 | >>> obj1.value = 5 # updates other objects as well |
|
199 | 199 | """ |
|
200 | 200 | updating = False |
|
201 | 201 | def __init__(self, *args): |
|
202 | 202 | if len(args) < 2: |
|
203 | 203 | raise TypeError('At least two traitlets must be provided.') |
|
204 | 204 | _validate_link(*args) |
|
205 | 205 | |
|
206 | 206 | self.objects = {} |
|
207 | 207 | |
|
208 | 208 | initial = getattr(args[0][0], args[0][1]) |
|
209 | 209 | for obj, attr in args: |
|
210 | 210 | setattr(obj, attr, initial) |
|
211 | 211 | |
|
212 | 212 | callback = self._make_closure(obj, attr) |
|
213 | 213 | obj.on_trait_change(callback, attr) |
|
214 | 214 | self.objects[(obj, attr)] = callback |
|
215 | 215 | |
|
216 | 216 | @contextlib.contextmanager |
|
217 | 217 | def _busy_updating(self): |
|
218 | 218 | self.updating = True |
|
219 | 219 | try: |
|
220 | 220 | yield |
|
221 | 221 | finally: |
|
222 | 222 | self.updating = False |
|
223 | 223 | |
|
224 | 224 | def _make_closure(self, sending_obj, sending_attr): |
|
225 | 225 | def update(name, old, new): |
|
226 | 226 | self._update(sending_obj, sending_attr, new) |
|
227 | 227 | return update |
|
228 | 228 | |
|
229 | 229 | def _update(self, sending_obj, sending_attr, new): |
|
230 | 230 | if self.updating: |
|
231 | 231 | return |
|
232 | 232 | with self._busy_updating(): |
|
233 | 233 | for obj, attr in self.objects.keys(): |
|
234 | 234 | setattr(obj, attr, new) |
|
235 | 235 | |
|
236 | 236 | def unlink(self): |
|
237 | 237 | for key, callback in self.objects.items(): |
|
238 | 238 | (obj, attr) = key |
|
239 | 239 | obj.on_trait_change(callback, attr, remove=True) |
|
240 | 240 | |
|
241 | 241 | @skip_doctest |
|
242 | 242 | class directional_link(object): |
|
243 | 243 | """Link the trait of a source object with traits of target objects. |
|
244 | 244 | |
|
245 | 245 | Parameters |
|
246 | 246 | ---------- |
|
247 | 247 | source : pair of object, name |
|
248 | 248 | targets : pairs of objects/attributes |
|
249 | 249 | |
|
250 | 250 | Examples |
|
251 | 251 | -------- |
|
252 | 252 | |
|
253 | 253 | >>> c = directional_link((src, 'value'), (tgt1, 'value'), (tgt2, 'value')) |
|
254 | 254 | >>> src.value = 5 # updates target objects |
|
255 | 255 | >>> tgt1.value = 6 # does not update other objects |
|
256 | 256 | """ |
|
257 | 257 | updating = False |
|
258 | 258 | |
|
259 | 259 | def __init__(self, source, *targets): |
|
260 | 260 | if len(targets) < 1: |
|
261 | 261 | raise TypeError('At least two traitlets must be provided.') |
|
262 | 262 | _validate_link(source, *targets) |
|
263 | 263 | self.source = source |
|
264 | 264 | self.targets = targets |
|
265 | 265 | |
|
266 | 266 | # Update current value |
|
267 | 267 | src_attr_value = getattr(source[0], source[1]) |
|
268 | 268 | for obj, attr in targets: |
|
269 | 269 | setattr(obj, attr, src_attr_value) |
|
270 | 270 | |
|
271 | 271 | # Wire |
|
272 | 272 | self.source[0].on_trait_change(self._update, self.source[1]) |
|
273 | 273 | |
|
274 | 274 | @contextlib.contextmanager |
|
275 | 275 | def _busy_updating(self): |
|
276 | 276 | self.updating = True |
|
277 | 277 | try: |
|
278 | 278 | yield |
|
279 | 279 | finally: |
|
280 | 280 | self.updating = False |
|
281 | 281 | |
|
282 | 282 | def _update(self, name, old, new): |
|
283 | 283 | if self.updating: |
|
284 | 284 | return |
|
285 | 285 | with self._busy_updating(): |
|
286 | 286 | for obj, attr in self.targets: |
|
287 | 287 | setattr(obj, attr, new) |
|
288 | 288 | |
|
289 | 289 | def unlink(self): |
|
290 | 290 | self.source[0].on_trait_change(self._update, self.source[1], remove=True) |
|
291 | 291 | self.source = None |
|
292 | 292 | self.targets = [] |
|
293 | 293 | |
|
294 | 294 | dlink = directional_link |
|
295 | 295 | |
|
296 | 296 | #----------------------------------------------------------------------------- |
|
297 | 297 | # Base TraitType for all traits |
|
298 | 298 | #----------------------------------------------------------------------------- |
|
299 | 299 | |
|
300 | 300 | |
|
301 | 301 | class TraitType(object): |
|
302 | 302 | """A base class for all trait descriptors. |
|
303 | 303 | |
|
304 | 304 | Notes |
|
305 | 305 | ----- |
|
306 | 306 | Our implementation of traits is based on Python's descriptor |
|
307 | 307 | prototol. This class is the base class for all such descriptors. The |
|
308 | 308 | only magic we use is a custom metaclass for the main :class:`HasTraits` |
|
309 | 309 | class that does the following: |
|
310 | 310 | |
|
311 | 311 | 1. Sets the :attr:`name` attribute of every :class:`TraitType` |
|
312 | 312 | instance in the class dict to the name of the attribute. |
|
313 | 313 | 2. Sets the :attr:`this_class` attribute of every :class:`TraitType` |
|
314 | 314 | instance in the class dict to the *class* that declared the trait. |
|
315 | 315 | This is used by the :class:`This` trait to allow subclasses to |
|
316 | 316 | accept superclasses for :class:`This` values. |
|
317 | 317 | """ |
|
318 | 318 | |
|
319 | 319 | |
|
320 | 320 | metadata = {} |
|
321 | 321 | default_value = Undefined |
|
322 | 322 | allow_none = False |
|
323 | 323 | info_text = 'any value' |
|
324 | 324 | |
|
325 | 325 | def __init__(self, default_value=NoDefaultSpecified, allow_none=None, **metadata): |
|
326 | 326 | """Create a TraitType. |
|
327 | 327 | """ |
|
328 | 328 | if default_value is not NoDefaultSpecified: |
|
329 | 329 | self.default_value = default_value |
|
330 | 330 | if allow_none is not None: |
|
331 | 331 | self.allow_none = allow_none |
|
332 | 332 | |
|
333 | 333 | if len(metadata) > 0: |
|
334 | 334 | if len(self.metadata) > 0: |
|
335 | 335 | self._metadata = self.metadata.copy() |
|
336 | 336 | self._metadata.update(metadata) |
|
337 | 337 | else: |
|
338 | 338 | self._metadata = metadata |
|
339 | 339 | else: |
|
340 | 340 | self._metadata = self.metadata |
|
341 | 341 | |
|
342 | 342 | self.init() |
|
343 | 343 | |
|
344 | 344 | def init(self): |
|
345 | 345 | pass |
|
346 | 346 | |
|
347 | 347 | def get_default_value(self): |
|
348 | 348 | """Create a new instance of the default value.""" |
|
349 | 349 | return self.default_value |
|
350 | 350 | |
|
351 | 351 | def instance_init(self, obj): |
|
352 | 352 | """This is called by :meth:`HasTraits.__new__` to finish init'ing. |
|
353 | 353 | |
|
354 | 354 | Some stages of initialization must be delayed until the parent |
|
355 | 355 | :class:`HasTraits` instance has been created. This method is |
|
356 | 356 | called in :meth:`HasTraits.__new__` after the instance has been |
|
357 | 357 | created. |
|
358 | 358 | |
|
359 | 359 | This method trigger the creation and validation of default values |
|
360 | 360 | and also things like the resolution of str given class names in |
|
361 | 361 | :class:`Type` and :class`Instance`. |
|
362 | 362 | |
|
363 | 363 | Parameters |
|
364 | 364 | ---------- |
|
365 | 365 | obj : :class:`HasTraits` instance |
|
366 | 366 | The parent :class:`HasTraits` instance that has just been |
|
367 | 367 | created. |
|
368 | 368 | """ |
|
369 | 369 | self.set_default_value(obj) |
|
370 | 370 | |
|
371 | 371 | def set_default_value(self, obj): |
|
372 | 372 | """Set the default value on a per instance basis. |
|
373 | 373 | |
|
374 | 374 | This method is called by :meth:`instance_init` to create and |
|
375 | 375 | validate the default value. The creation and validation of |
|
376 | 376 | default values must be delayed until the parent :class:`HasTraits` |
|
377 | 377 | class has been instantiated. |
|
378 | 378 | """ |
|
379 | 379 | # Check for a deferred initializer defined in the same class as the |
|
380 | 380 | # trait declaration or above. |
|
381 | 381 | mro = type(obj).mro() |
|
382 | 382 | meth_name = '_%s_default' % self.name |
|
383 | 383 | for cls in mro[:mro.index(self.this_class)+1]: |
|
384 | 384 | if meth_name in cls.__dict__: |
|
385 | 385 | break |
|
386 | 386 | else: |
|
387 | 387 | # We didn't find one. Do static initialization. |
|
388 | 388 | dv = self.get_default_value() |
|
389 | 389 | newdv = self._validate(obj, dv) |
|
390 | 390 | obj._trait_values[self.name] = newdv |
|
391 | 391 | return |
|
392 | 392 | # Complete the dynamic initialization. |
|
393 | 393 | obj._trait_dyn_inits[self.name] = meth_name |
|
394 | 394 | |
|
395 | 395 | def __get__(self, obj, cls=None): |
|
396 | 396 | """Get the value of the trait by self.name for the instance. |
|
397 | 397 | |
|
398 | 398 | Default values are instantiated when :meth:`HasTraits.__new__` |
|
399 | 399 | is called. Thus by the time this method gets called either the |
|
400 | 400 | default value or a user defined value (they called :meth:`__set__`) |
|
401 | 401 | is in the :class:`HasTraits` instance. |
|
402 | 402 | """ |
|
403 | 403 | if obj is None: |
|
404 | 404 | return self |
|
405 | 405 | else: |
|
406 | 406 | try: |
|
407 | 407 | value = obj._trait_values[self.name] |
|
408 | 408 | except KeyError: |
|
409 | 409 | # Check for a dynamic initializer. |
|
410 | 410 | if self.name in obj._trait_dyn_inits: |
|
411 | 411 | method = getattr(obj, obj._trait_dyn_inits[self.name]) |
|
412 | 412 | value = method() |
|
413 | 413 | # FIXME: Do we really validate here? |
|
414 | 414 | value = self._validate(obj, value) |
|
415 | 415 | obj._trait_values[self.name] = value |
|
416 | 416 | return value |
|
417 | 417 | else: |
|
418 | 418 | raise TraitError('Unexpected error in TraitType: ' |
|
419 | 419 | 'both default value and dynamic initializer are ' |
|
420 | 420 | 'absent.') |
|
421 | 421 | except Exception: |
|
422 | 422 | # HasTraits should call set_default_value to populate |
|
423 | 423 | # this. So this should never be reached. |
|
424 | 424 | raise TraitError('Unexpected error in TraitType: ' |
|
425 | 425 | 'default value not set properly') |
|
426 | 426 | else: |
|
427 | 427 | return value |
|
428 | 428 | |
|
429 | 429 | def __set__(self, obj, value): |
|
430 | 430 | new_value = self._validate(obj, value) |
|
431 | 431 | try: |
|
432 | 432 | old_value = obj._trait_values[self.name] |
|
433 | 433 | except KeyError: |
|
434 | 434 | old_value = None |
|
435 | 435 | |
|
436 | 436 | obj._trait_values[self.name] = new_value |
|
437 | 437 | try: |
|
438 | 438 | silent = bool(old_value == new_value) |
|
439 | 439 | except: |
|
440 | 440 | # if there is an error in comparing, default to notify |
|
441 | 441 | silent = False |
|
442 | 442 | if silent is not True: |
|
443 | 443 | # we explicitly compare silent to True just in case the equality |
|
444 | 444 | # comparison above returns something other than True/False |
|
445 | 445 | obj._notify_trait(self.name, old_value, new_value) |
|
446 | 446 | |
|
447 | 447 | def _validate(self, obj, value): |
|
448 | 448 | if value is None and self.allow_none: |
|
449 | 449 | return value |
|
450 | 450 | if hasattr(self, 'validate'): |
|
451 | 451 | return self.validate(obj, value) |
|
452 | 452 | elif hasattr(self, 'is_valid_for'): |
|
453 | 453 | valid = self.is_valid_for(value) |
|
454 | 454 | if valid: |
|
455 | 455 | return value |
|
456 | 456 | else: |
|
457 | 457 | raise TraitError('invalid value for type: %r' % value) |
|
458 | 458 | elif hasattr(self, 'value_for'): |
|
459 | 459 | return self.value_for(value) |
|
460 | 460 | else: |
|
461 | 461 | return value |
|
462 | 462 | |
|
463 | 463 | def __or__(self, other): |
|
464 | 464 | if isinstance(other, Union): |
|
465 | 465 | return Union([self] + other.trait_types) |
|
466 | 466 | else: |
|
467 | 467 | return Union([self, other]) |
|
468 | 468 | |
|
469 | 469 | def info(self): |
|
470 | 470 | return self.info_text |
|
471 | 471 | |
|
472 | 472 | def error(self, obj, value): |
|
473 | 473 | if obj is not None: |
|
474 | 474 | e = "The '%s' trait of %s instance must be %s, but a value of %s was specified." \ |
|
475 | 475 | % (self.name, class_of(obj), |
|
476 | 476 | self.info(), repr_type(value)) |
|
477 | 477 | else: |
|
478 | 478 | e = "The '%s' trait must be %s, but a value of %r was specified." \ |
|
479 | 479 | % (self.name, self.info(), repr_type(value)) |
|
480 | 480 | raise TraitError(e) |
|
481 | 481 | |
|
482 | 482 | def get_metadata(self, key, default=None): |
|
483 | 483 | return getattr(self, '_metadata', {}).get(key, default) |
|
484 | 484 | |
|
485 | 485 | def set_metadata(self, key, value): |
|
486 | 486 | getattr(self, '_metadata', {})[key] = value |
|
487 | 487 | |
|
488 | 488 | |
|
489 | 489 | #----------------------------------------------------------------------------- |
|
490 | 490 | # The HasTraits implementation |
|
491 | 491 | #----------------------------------------------------------------------------- |
|
492 | 492 | |
|
493 | 493 | |
|
494 | 494 | class MetaHasTraits(type): |
|
495 | 495 | """A metaclass for HasTraits. |
|
496 | 496 | |
|
497 | 497 | This metaclass makes sure that any TraitType class attributes are |
|
498 | 498 | instantiated and sets their name attribute. |
|
499 | 499 | """ |
|
500 | 500 | |
|
501 | 501 | def __new__(mcls, name, bases, classdict): |
|
502 | 502 | """Create the HasTraits class. |
|
503 | 503 | |
|
504 | 504 | This instantiates all TraitTypes in the class dict and sets their |
|
505 | 505 | :attr:`name` attribute. |
|
506 | 506 | """ |
|
507 | 507 | # print "MetaHasTraitlets (mcls, name): ", mcls, name |
|
508 | 508 | # print "MetaHasTraitlets (bases): ", bases |
|
509 | 509 | # print "MetaHasTraitlets (classdict): ", classdict |
|
510 | 510 | for k,v in iteritems(classdict): |
|
511 | 511 | if isinstance(v, TraitType): |
|
512 | 512 | v.name = k |
|
513 | 513 | elif inspect.isclass(v): |
|
514 | 514 | if issubclass(v, TraitType): |
|
515 | 515 | vinst = v() |
|
516 | 516 | vinst.name = k |
|
517 | 517 | classdict[k] = vinst |
|
518 | 518 | return super(MetaHasTraits, mcls).__new__(mcls, name, bases, classdict) |
|
519 | 519 | |
|
520 | 520 | def __init__(cls, name, bases, classdict): |
|
521 | 521 | """Finish initializing the HasTraits class. |
|
522 | 522 | |
|
523 | 523 | This sets the :attr:`this_class` attribute of each TraitType in the |
|
524 | 524 | class dict to the newly created class ``cls``. |
|
525 | 525 | """ |
|
526 | 526 | for k, v in iteritems(classdict): |
|
527 | 527 | if isinstance(v, TraitType): |
|
528 | 528 | v.this_class = cls |
|
529 | 529 | super(MetaHasTraits, cls).__init__(name, bases, classdict) |
|
530 | 530 | |
|
531 | 531 | class HasTraits(py3compat.with_metaclass(MetaHasTraits, object)): |
|
532 | 532 | |
|
533 | 533 | def __new__(cls, *args, **kw): |
|
534 | 534 | # This is needed because object.__new__ only accepts |
|
535 | 535 | # the cls argument. |
|
536 | 536 | new_meth = super(HasTraits, cls).__new__ |
|
537 | 537 | if new_meth is object.__new__: |
|
538 | 538 | inst = new_meth(cls) |
|
539 | 539 | else: |
|
540 | 540 | inst = new_meth(cls, **kw) |
|
541 | 541 | inst._trait_values = {} |
|
542 | 542 | inst._trait_notifiers = {} |
|
543 | 543 | inst._trait_dyn_inits = {} |
|
544 | 544 | # Here we tell all the TraitType instances to set their default |
|
545 | 545 | # values on the instance. |
|
546 | 546 | for key in dir(cls): |
|
547 | 547 | # Some descriptors raise AttributeError like zope.interface's |
|
548 | 548 | # __provides__ attributes even though they exist. This causes |
|
549 | 549 | # AttributeErrors even though they are listed in dir(cls). |
|
550 | 550 | try: |
|
551 | 551 | value = getattr(cls, key) |
|
552 | 552 | except AttributeError: |
|
553 | 553 | pass |
|
554 | 554 | else: |
|
555 | 555 | if isinstance(value, TraitType): |
|
556 | 556 | value.instance_init(inst) |
|
557 | 557 | |
|
558 | 558 | return inst |
|
559 | 559 | |
|
560 | 560 | def __init__(self, *args, **kw): |
|
561 | 561 | # Allow trait values to be set using keyword arguments. |
|
562 | 562 | # We need to use setattr for this to trigger validation and |
|
563 | 563 | # notifications. |
|
564 | 564 | for key, value in iteritems(kw): |
|
565 | 565 | setattr(self, key, value) |
|
566 | 566 | |
|
567 | 567 | def _notify_trait(self, name, old_value, new_value): |
|
568 | 568 | |
|
569 | 569 | # First dynamic ones |
|
570 | 570 | callables = [] |
|
571 | 571 | callables.extend(self._trait_notifiers.get(name,[])) |
|
572 | 572 | callables.extend(self._trait_notifiers.get('anytrait',[])) |
|
573 | 573 | |
|
574 | 574 | # Now static ones |
|
575 | 575 | try: |
|
576 | 576 | cb = getattr(self, '_%s_changed' % name) |
|
577 | 577 | except: |
|
578 | 578 | pass |
|
579 | 579 | else: |
|
580 | 580 | callables.append(cb) |
|
581 | 581 | |
|
582 | 582 | # Call them all now |
|
583 | 583 | for c in callables: |
|
584 | 584 | # Traits catches and logs errors here. I allow them to raise |
|
585 | 585 | if callable(c): |
|
586 | 586 | argspec = inspect.getargspec(c) |
|
587 | 587 | nargs = len(argspec[0]) |
|
588 | 588 | # Bound methods have an additional 'self' argument |
|
589 | 589 | # I don't know how to treat unbound methods, but they |
|
590 | 590 | # can't really be used for callbacks. |
|
591 | 591 | if isinstance(c, types.MethodType): |
|
592 | 592 | offset = -1 |
|
593 | 593 | else: |
|
594 | 594 | offset = 0 |
|
595 | 595 | if nargs + offset == 0: |
|
596 | 596 | c() |
|
597 | 597 | elif nargs + offset == 1: |
|
598 | 598 | c(name) |
|
599 | 599 | elif nargs + offset == 2: |
|
600 | 600 | c(name, new_value) |
|
601 | 601 | elif nargs + offset == 3: |
|
602 | 602 | c(name, old_value, new_value) |
|
603 | 603 | else: |
|
604 | 604 | raise TraitError('a trait changed callback ' |
|
605 | 605 | 'must have 0-3 arguments.') |
|
606 | 606 | else: |
|
607 | 607 | raise TraitError('a trait changed callback ' |
|
608 | 608 | 'must be callable.') |
|
609 | 609 | |
|
610 | 610 | |
|
611 | 611 | def _add_notifiers(self, handler, name): |
|
612 | 612 | if name not in self._trait_notifiers: |
|
613 | 613 | nlist = [] |
|
614 | 614 | self._trait_notifiers[name] = nlist |
|
615 | 615 | else: |
|
616 | 616 | nlist = self._trait_notifiers[name] |
|
617 | 617 | if handler not in nlist: |
|
618 | 618 | nlist.append(handler) |
|
619 | 619 | |
|
620 | 620 | def _remove_notifiers(self, handler, name): |
|
621 | 621 | if name in self._trait_notifiers: |
|
622 | 622 | nlist = self._trait_notifiers[name] |
|
623 | 623 | try: |
|
624 | 624 | index = nlist.index(handler) |
|
625 | 625 | except ValueError: |
|
626 | 626 | pass |
|
627 | 627 | else: |
|
628 | 628 | del nlist[index] |
|
629 | 629 | |
|
630 | 630 | def on_trait_change(self, handler, name=None, remove=False): |
|
631 | 631 | """Setup a handler to be called when a trait changes. |
|
632 | 632 | |
|
633 | 633 | This is used to setup dynamic notifications of trait changes. |
|
634 | 634 | |
|
635 | 635 | Static handlers can be created by creating methods on a HasTraits |
|
636 | 636 | subclass with the naming convention '_[traitname]_changed'. Thus, |
|
637 | 637 | to create static handler for the trait 'a', create the method |
|
638 | 638 | _a_changed(self, name, old, new) (fewer arguments can be used, see |
|
639 | 639 | below). |
|
640 | 640 | |
|
641 | 641 | Parameters |
|
642 | 642 | ---------- |
|
643 | 643 | handler : callable |
|
644 | 644 | A callable that is called when a trait changes. Its |
|
645 | 645 | signature can be handler(), handler(name), handler(name, new) |
|
646 | 646 | or handler(name, old, new). |
|
647 | 647 | name : list, str, None |
|
648 | 648 | If None, the handler will apply to all traits. If a list |
|
649 | 649 | of str, handler will apply to all names in the list. If a |
|
650 | 650 | str, the handler will apply just to that name. |
|
651 | 651 | remove : bool |
|
652 | 652 | If False (the default), then install the handler. If True |
|
653 | 653 | then unintall it. |
|
654 | 654 | """ |
|
655 | 655 | if remove: |
|
656 | 656 | names = parse_notifier_name(name) |
|
657 | 657 | for n in names: |
|
658 | 658 | self._remove_notifiers(handler, n) |
|
659 | 659 | else: |
|
660 | 660 | names = parse_notifier_name(name) |
|
661 | 661 | for n in names: |
|
662 | 662 | self._add_notifiers(handler, n) |
|
663 | 663 | |
|
664 | 664 | @classmethod |
|
665 | 665 | def class_trait_names(cls, **metadata): |
|
666 | 666 | """Get a list of all the names of this class' traits. |
|
667 | 667 | |
|
668 | 668 | This method is just like the :meth:`trait_names` method, |
|
669 | 669 | but is unbound. |
|
670 | 670 | """ |
|
671 | 671 | return cls.class_traits(**metadata).keys() |
|
672 | 672 | |
|
673 | 673 | @classmethod |
|
674 | 674 | def class_traits(cls, **metadata): |
|
675 | 675 | """Get a `dict` of all the traits of this class. The dictionary |
|
676 | 676 | is keyed on the name and the values are the TraitType objects. |
|
677 | 677 | |
|
678 | 678 | This method is just like the :meth:`traits` method, but is unbound. |
|
679 | 679 | |
|
680 | 680 | The TraitTypes returned don't know anything about the values |
|
681 | 681 | that the various HasTrait's instances are holding. |
|
682 | 682 | |
|
683 | 683 | The metadata kwargs allow functions to be passed in which |
|
684 | 684 | filter traits based on metadata values. The functions should |
|
685 | 685 | take a single value as an argument and return a boolean. If |
|
686 | 686 | any function returns False, then the trait is not included in |
|
687 | 687 | the output. This does not allow for any simple way of |
|
688 | 688 | testing that a metadata name exists and has any |
|
689 | 689 | value because get_metadata returns None if a metadata key |
|
690 | 690 | doesn't exist. |
|
691 | 691 | """ |
|
692 | 692 | traits = dict([memb for memb in getmembers(cls) if |
|
693 | 693 | isinstance(memb[1], TraitType)]) |
|
694 | 694 | |
|
695 | 695 | if len(metadata) == 0: |
|
696 | 696 | return traits |
|
697 | 697 | |
|
698 | 698 | for meta_name, meta_eval in metadata.items(): |
|
699 | 699 | if type(meta_eval) is not FunctionType: |
|
700 | 700 | metadata[meta_name] = _SimpleTest(meta_eval) |
|
701 | 701 | |
|
702 | 702 | result = {} |
|
703 | 703 | for name, trait in traits.items(): |
|
704 | 704 | for meta_name, meta_eval in metadata.items(): |
|
705 | 705 | if not meta_eval(trait.get_metadata(meta_name)): |
|
706 | 706 | break |
|
707 | 707 | else: |
|
708 | 708 | result[name] = trait |
|
709 | 709 | |
|
710 | 710 | return result |
|
711 | 711 | |
|
712 | 712 | def trait_names(self, **metadata): |
|
713 | 713 | """Get a list of all the names of this class' traits.""" |
|
714 | 714 | return self.traits(**metadata).keys() |
|
715 | 715 | |
|
716 | 716 | def traits(self, **metadata): |
|
717 | 717 | """Get a `dict` of all the traits of this class. The dictionary |
|
718 | 718 | is keyed on the name and the values are the TraitType objects. |
|
719 | 719 | |
|
720 | 720 | The TraitTypes returned don't know anything about the values |
|
721 | 721 | that the various HasTrait's instances are holding. |
|
722 | 722 | |
|
723 | 723 | The metadata kwargs allow functions to be passed in which |
|
724 | 724 | filter traits based on metadata values. The functions should |
|
725 | 725 | take a single value as an argument and return a boolean. If |
|
726 | 726 | any function returns False, then the trait is not included in |
|
727 | 727 | the output. This does not allow for any simple way of |
|
728 | 728 | testing that a metadata name exists and has any |
|
729 | 729 | value because get_metadata returns None if a metadata key |
|
730 | 730 | doesn't exist. |
|
731 | 731 | """ |
|
732 | 732 | traits = dict([memb for memb in getmembers(self.__class__) if |
|
733 | 733 | isinstance(memb[1], TraitType)]) |
|
734 | 734 | |
|
735 | 735 | if len(metadata) == 0: |
|
736 | 736 | return traits |
|
737 | 737 | |
|
738 | 738 | for meta_name, meta_eval in metadata.items(): |
|
739 | 739 | if type(meta_eval) is not FunctionType: |
|
740 | 740 | metadata[meta_name] = _SimpleTest(meta_eval) |
|
741 | 741 | |
|
742 | 742 | result = {} |
|
743 | 743 | for name, trait in traits.items(): |
|
744 | 744 | for meta_name, meta_eval in metadata.items(): |
|
745 | 745 | if not meta_eval(trait.get_metadata(meta_name)): |
|
746 | 746 | break |
|
747 | 747 | else: |
|
748 | 748 | result[name] = trait |
|
749 | 749 | |
|
750 | 750 | return result |
|
751 | 751 | |
|
752 | 752 | def trait_metadata(self, traitname, key, default=None): |
|
753 | 753 | """Get metadata values for trait by key.""" |
|
754 | 754 | try: |
|
755 | 755 | trait = getattr(self.__class__, traitname) |
|
756 | 756 | except AttributeError: |
|
757 | 757 | raise TraitError("Class %s does not have a trait named %s" % |
|
758 | 758 | (self.__class__.__name__, traitname)) |
|
759 | 759 | else: |
|
760 | 760 | return trait.get_metadata(key, default) |
|
761 | 761 | |
|
762 | 762 | #----------------------------------------------------------------------------- |
|
763 | 763 | # Actual TraitTypes implementations/subclasses |
|
764 | 764 | #----------------------------------------------------------------------------- |
|
765 | 765 | |
|
766 | 766 | #----------------------------------------------------------------------------- |
|
767 | 767 | # TraitTypes subclasses for handling classes and instances of classes |
|
768 | 768 | #----------------------------------------------------------------------------- |
|
769 | 769 | |
|
770 | 770 | |
|
771 | 771 | class ClassBasedTraitType(TraitType): |
|
772 | 772 | """ |
|
773 | 773 | A trait with error reporting and string -> type resolution for Type, |
|
774 | 774 | Instance and This. |
|
775 | 775 | """ |
|
776 | 776 | |
|
777 | 777 | def _resolve_string(self, string): |
|
778 | 778 | """ |
|
779 | 779 | Resolve a string supplied for a type into an actual object. |
|
780 | 780 | """ |
|
781 | 781 | return import_item(string) |
|
782 | 782 | |
|
783 | 783 | def error(self, obj, value): |
|
784 | 784 | kind = type(value) |
|
785 | 785 | if (not py3compat.PY3) and kind is InstanceType: |
|
786 | 786 | msg = 'class %s' % value.__class__.__name__ |
|
787 | 787 | else: |
|
788 | 788 | msg = '%s (i.e. %s)' % ( str( kind )[1:-1], repr( value ) ) |
|
789 | 789 | |
|
790 | 790 | if obj is not None: |
|
791 | 791 | e = "The '%s' trait of %s instance must be %s, but a value of %s was specified." \ |
|
792 | 792 | % (self.name, class_of(obj), |
|
793 | 793 | self.info(), msg) |
|
794 | 794 | else: |
|
795 | 795 | e = "The '%s' trait must be %s, but a value of %r was specified." \ |
|
796 | 796 | % (self.name, self.info(), msg) |
|
797 | 797 | |
|
798 | 798 | raise TraitError(e) |
|
799 | 799 | |
|
800 | 800 | |
|
801 | 801 | class Type(ClassBasedTraitType): |
|
802 | 802 | """A trait whose value must be a subclass of a specified class.""" |
|
803 | 803 | |
|
804 | 804 | def __init__ (self, default_value=None, klass=None, allow_none=True, **metadata ): |
|
805 | 805 | """Construct a Type trait |
|
806 | 806 | |
|
807 | 807 | A Type trait specifies that its values must be subclasses of |
|
808 | 808 | a particular class. |
|
809 | 809 | |
|
810 | 810 | If only ``default_value`` is given, it is used for the ``klass`` as |
|
811 | 811 | well. |
|
812 | 812 | |
|
813 | 813 | Parameters |
|
814 | 814 | ---------- |
|
815 | 815 | default_value : class, str or None |
|
816 | 816 | The default value must be a subclass of klass. If an str, |
|
817 | 817 | the str must be a fully specified class name, like 'foo.bar.Bah'. |
|
818 | 818 | The string is resolved into real class, when the parent |
|
819 | 819 | :class:`HasTraits` class is instantiated. |
|
820 | 820 | klass : class, str, None |
|
821 | 821 | Values of this trait must be a subclass of klass. The klass |
|
822 | 822 | may be specified in a string like: 'foo.bar.MyClass'. |
|
823 | 823 | The string is resolved into real class, when the parent |
|
824 | 824 | :class:`HasTraits` class is instantiated. |
|
825 |
allow_none : bool |
|
|
825 | allow_none : bool [ default True ] | |
|
826 | 826 | Indicates whether None is allowed as an assignable value. Even if |
|
827 | 827 | ``False``, the default value may be ``None``. |
|
828 | 828 | """ |
|
829 | 829 | if default_value is None: |
|
830 | 830 | if klass is None: |
|
831 | 831 | klass = object |
|
832 | 832 | elif klass is None: |
|
833 | 833 | klass = default_value |
|
834 | 834 | |
|
835 | 835 | if not (inspect.isclass(klass) or isinstance(klass, py3compat.string_types)): |
|
836 | 836 | raise TraitError("A Type trait must specify a class.") |
|
837 | 837 | |
|
838 | 838 | self.klass = klass |
|
839 | 839 | |
|
840 | 840 | super(Type, self).__init__(default_value, allow_none=allow_none, **metadata) |
|
841 | 841 | |
|
842 | 842 | def validate(self, obj, value): |
|
843 | 843 | """Validates that the value is a valid object instance.""" |
|
844 | 844 | if isinstance(value, py3compat.string_types): |
|
845 | 845 | try: |
|
846 | 846 | value = self._resolve_string(value) |
|
847 | 847 | except ImportError: |
|
848 | 848 | raise TraitError("The '%s' trait of %s instance must be a type, but " |
|
849 | 849 | "%r could not be imported" % (self.name, obj, value)) |
|
850 | 850 | try: |
|
851 | 851 | if issubclass(value, self.klass): |
|
852 | 852 | return value |
|
853 | 853 | except: |
|
854 | 854 | pass |
|
855 | 855 | |
|
856 | 856 | self.error(obj, value) |
|
857 | 857 | |
|
858 | 858 | def info(self): |
|
859 | 859 | """ Returns a description of the trait.""" |
|
860 | 860 | if isinstance(self.klass, py3compat.string_types): |
|
861 | 861 | klass = self.klass |
|
862 | 862 | else: |
|
863 | 863 | klass = self.klass.__name__ |
|
864 | 864 | result = 'a subclass of ' + klass |
|
865 | 865 | if self.allow_none: |
|
866 | 866 | return result + ' or None' |
|
867 | 867 | return result |
|
868 | 868 | |
|
869 | 869 | def instance_init(self, obj): |
|
870 | 870 | self._resolve_classes() |
|
871 | 871 | super(Type, self).instance_init(obj) |
|
872 | 872 | |
|
873 | 873 | def _resolve_classes(self): |
|
874 | 874 | if isinstance(self.klass, py3compat.string_types): |
|
875 | 875 | self.klass = self._resolve_string(self.klass) |
|
876 | 876 | if isinstance(self.default_value, py3compat.string_types): |
|
877 | 877 | self.default_value = self._resolve_string(self.default_value) |
|
878 | 878 | |
|
879 | 879 | def get_default_value(self): |
|
880 | 880 | return self.default_value |
|
881 | 881 | |
|
882 | 882 | |
|
883 | 883 | class DefaultValueGenerator(object): |
|
884 | 884 | """A class for generating new default value instances.""" |
|
885 | 885 | |
|
886 | 886 | def __init__(self, *args, **kw): |
|
887 | 887 | self.args = args |
|
888 | 888 | self.kw = kw |
|
889 | 889 | |
|
890 | 890 | def generate(self, klass): |
|
891 | 891 | return klass(*self.args, **self.kw) |
|
892 | 892 | |
|
893 | 893 | |
|
894 | 894 | class Instance(ClassBasedTraitType): |
|
895 | 895 | """A trait whose value must be an instance of a specified class. |
|
896 | 896 | |
|
897 | 897 | The value can also be an instance of a subclass of the specified class. |
|
898 | 898 | |
|
899 | 899 | Subclasses can declare default classes by overriding the klass attribute |
|
900 | 900 | """ |
|
901 | 901 | |
|
902 | 902 | klass = None |
|
903 | 903 | |
|
904 | 904 | def __init__(self, klass=None, args=None, kw=None, |
|
905 | 905 | allow_none=True, **metadata ): |
|
906 | 906 | """Construct an Instance trait. |
|
907 | 907 | |
|
908 | 908 | This trait allows values that are instances of a particular |
|
909 | 909 | class or its subclasses. Our implementation is quite different |
|
910 | 910 | from that of enthough.traits as we don't allow instances to be used |
|
911 | 911 | for klass and we handle the ``args`` and ``kw`` arguments differently. |
|
912 | 912 | |
|
913 | 913 | Parameters |
|
914 | 914 | ---------- |
|
915 | 915 | klass : class, str |
|
916 | 916 | The class that forms the basis for the trait. Class names |
|
917 | 917 | can also be specified as strings, like 'foo.bar.Bar'. |
|
918 | 918 | args : tuple |
|
919 | 919 | Positional arguments for generating the default value. |
|
920 | 920 | kw : dict |
|
921 | 921 | Keyword arguments for generating the default value. |
|
922 | allow_none : bool | |
|
922 | allow_none : bool [default True] | |
|
923 | 923 | Indicates whether None is allowed as a value. |
|
924 | 924 | |
|
925 | 925 | Notes |
|
926 | 926 | ----- |
|
927 | 927 | If both ``args`` and ``kw`` are None, then the default value is None. |
|
928 | 928 | If ``args`` is a tuple and ``kw`` is a dict, then the default is |
|
929 | 929 | created as ``klass(*args, **kw)``. If exactly one of ``args`` or ``kw`` is |
|
930 | 930 | None, the None is replaced by ``()`` or ``{}``, respectively. |
|
931 | 931 | """ |
|
932 | 932 | if klass is None: |
|
933 | 933 | klass = self.klass |
|
934 | 934 | |
|
935 | 935 | if (klass is not None) and (inspect.isclass(klass) or isinstance(klass, py3compat.string_types)): |
|
936 | 936 | self.klass = klass |
|
937 | 937 | else: |
|
938 | 938 | raise TraitError('The klass attribute must be a class' |
|
939 | 939 | ' not: %r' % klass) |
|
940 | 940 | |
|
941 | 941 | # self.klass is a class, so handle default_value |
|
942 | 942 | if args is None and kw is None: |
|
943 | 943 | default_value = None |
|
944 | 944 | else: |
|
945 | 945 | if args is None: |
|
946 | 946 | # kw is not None |
|
947 | 947 | args = () |
|
948 | 948 | elif kw is None: |
|
949 | 949 | # args is not None |
|
950 | 950 | kw = {} |
|
951 | 951 | |
|
952 | 952 | if not isinstance(kw, dict): |
|
953 | 953 | raise TraitError("The 'kw' argument must be a dict or None.") |
|
954 | 954 | if not isinstance(args, tuple): |
|
955 | 955 | raise TraitError("The 'args' argument must be a tuple or None.") |
|
956 | 956 | |
|
957 | 957 | default_value = DefaultValueGenerator(*args, **kw) |
|
958 | 958 | |
|
959 | 959 | super(Instance, self).__init__(default_value, allow_none=allow_none, **metadata) |
|
960 | 960 | |
|
961 | 961 | def validate(self, obj, value): |
|
962 | 962 | if isinstance(value, self.klass): |
|
963 | 963 | return value |
|
964 | 964 | else: |
|
965 | 965 | self.error(obj, value) |
|
966 | 966 | |
|
967 | 967 | def info(self): |
|
968 | 968 | if isinstance(self.klass, py3compat.string_types): |
|
969 | 969 | klass = self.klass |
|
970 | 970 | else: |
|
971 | 971 | klass = self.klass.__name__ |
|
972 | 972 | result = class_of(klass) |
|
973 | 973 | if self.allow_none: |
|
974 | 974 | return result + ' or None' |
|
975 | 975 | |
|
976 | 976 | return result |
|
977 | 977 | |
|
978 | 978 | def instance_init(self, obj): |
|
979 | 979 | self._resolve_classes() |
|
980 | 980 | super(Instance, self).instance_init(obj) |
|
981 | 981 | |
|
982 | 982 | def _resolve_classes(self): |
|
983 | 983 | if isinstance(self.klass, py3compat.string_types): |
|
984 | 984 | self.klass = self._resolve_string(self.klass) |
|
985 | 985 | |
|
986 | 986 | def get_default_value(self): |
|
987 | 987 | """Instantiate a default value instance. |
|
988 | 988 | |
|
989 | 989 | This is called when the containing HasTraits classes' |
|
990 | 990 | :meth:`__new__` method is called to ensure that a unique instance |
|
991 | 991 | is created for each HasTraits instance. |
|
992 | 992 | """ |
|
993 | 993 | dv = self.default_value |
|
994 | 994 | if isinstance(dv, DefaultValueGenerator): |
|
995 | 995 | return dv.generate(self.klass) |
|
996 | 996 | else: |
|
997 | 997 | return dv |
|
998 | 998 | |
|
999 | 999 | |
|
1000 | 1000 | class ForwardDeclaredMixin(object): |
|
1001 | 1001 | """ |
|
1002 | 1002 | Mixin for forward-declared versions of Instance and Type. |
|
1003 | 1003 | """ |
|
1004 | 1004 | def _resolve_string(self, string): |
|
1005 | 1005 | """ |
|
1006 | 1006 | Find the specified class name by looking for it in the module in which |
|
1007 | 1007 | our this_class attribute was defined. |
|
1008 | 1008 | """ |
|
1009 | 1009 | modname = self.this_class.__module__ |
|
1010 | 1010 | return import_item('.'.join([modname, string])) |
|
1011 | 1011 | |
|
1012 | 1012 | |
|
1013 | 1013 | class ForwardDeclaredType(ForwardDeclaredMixin, Type): |
|
1014 | 1014 | """ |
|
1015 | 1015 | Forward-declared version of Type. |
|
1016 | 1016 | """ |
|
1017 | 1017 | pass |
|
1018 | 1018 | |
|
1019 | 1019 | |
|
1020 | 1020 | class ForwardDeclaredInstance(ForwardDeclaredMixin, Instance): |
|
1021 | 1021 | """ |
|
1022 | 1022 | Forward-declared version of Instance. |
|
1023 | 1023 | """ |
|
1024 | 1024 | pass |
|
1025 | 1025 | |
|
1026 | 1026 | |
|
1027 | 1027 | class This(ClassBasedTraitType): |
|
1028 | 1028 | """A trait for instances of the class containing this trait. |
|
1029 | 1029 | |
|
1030 | 1030 | Because how how and when class bodies are executed, the ``This`` |
|
1031 | 1031 | trait can only have a default value of None. This, and because we |
|
1032 | 1032 | always validate default values, ``allow_none`` is *always* true. |
|
1033 | 1033 | """ |
|
1034 | 1034 | |
|
1035 | 1035 | info_text = 'an instance of the same type as the receiver or None' |
|
1036 | 1036 | |
|
1037 | 1037 | def __init__(self, **metadata): |
|
1038 | 1038 | super(This, self).__init__(None, **metadata) |
|
1039 | 1039 | |
|
1040 | 1040 | def validate(self, obj, value): |
|
1041 | 1041 | # What if value is a superclass of obj.__class__? This is |
|
1042 | 1042 | # complicated if it was the superclass that defined the This |
|
1043 | 1043 | # trait. |
|
1044 | 1044 | if isinstance(value, self.this_class) or (value is None): |
|
1045 | 1045 | return value |
|
1046 | 1046 | else: |
|
1047 | 1047 | self.error(obj, value) |
|
1048 | 1048 | |
|
1049 | 1049 | |
|
1050 | 1050 | class Union(TraitType): |
|
1051 | 1051 | """A trait type representing a Union type.""" |
|
1052 | 1052 | |
|
1053 | 1053 | def __init__(self, trait_types, **metadata): |
|
1054 | 1054 | """Construct a Union trait. |
|
1055 | 1055 | |
|
1056 | 1056 | This trait allows values that are allowed by at least one of the |
|
1057 | 1057 | specified trait types. |
|
1058 | 1058 | |
|
1059 | 1059 | Parameters |
|
1060 | 1060 | ---------- |
|
1061 | 1061 | trait_types: sequence |
|
1062 | 1062 | The list of trait types of length at least 1. |
|
1063 | 1063 | |
|
1064 | 1064 | Notes |
|
1065 | 1065 | ----- |
|
1066 | 1066 | Union([Float(), Bool(), Int()]) attempts to validate the provided values |
|
1067 | 1067 | with the validation function of Float, then Bool, and finally Int. |
|
1068 | 1068 | """ |
|
1069 | 1069 | self.trait_types = trait_types |
|
1070 | 1070 | self.info_text = " or ".join([tt.info_text for tt in self.trait_types]) |
|
1071 | 1071 | self.default_value = self.trait_types[0].get_default_value() |
|
1072 | 1072 | super(Union, self).__init__(**metadata) |
|
1073 | 1073 | |
|
1074 | 1074 | def _resolve_classes(self): |
|
1075 | 1075 | for trait_type in self.trait_types: |
|
1076 | 1076 | trait_type.name = self.name |
|
1077 | 1077 | trait_type.this_class = self.this_class |
|
1078 | 1078 | if hasattr(trait_type, '_resolve_classes'): |
|
1079 | 1079 | trait_type._resolve_classes() |
|
1080 | 1080 | |
|
1081 | 1081 | def instance_init(self, obj): |
|
1082 | 1082 | self._resolve_classes() |
|
1083 | 1083 | super(Union, self).instance_init(obj) |
|
1084 | 1084 | |
|
1085 | 1085 | def validate(self, obj, value): |
|
1086 | 1086 | for trait_type in self.trait_types: |
|
1087 | 1087 | try: |
|
1088 | 1088 | v = trait_type._validate(obj, value) |
|
1089 | 1089 | self._metadata = trait_type._metadata |
|
1090 | 1090 | return v |
|
1091 | 1091 | except TraitError: |
|
1092 | 1092 | continue |
|
1093 | 1093 | self.error(obj, value) |
|
1094 | 1094 | |
|
1095 | 1095 | def __or__(self, other): |
|
1096 | 1096 | if isinstance(other, Union): |
|
1097 | 1097 | return Union(self.trait_types + other.trait_types) |
|
1098 | 1098 | else: |
|
1099 | 1099 | return Union(self.trait_types + [other]) |
|
1100 | 1100 | |
|
1101 | 1101 | #----------------------------------------------------------------------------- |
|
1102 | 1102 | # Basic TraitTypes implementations/subclasses |
|
1103 | 1103 | #----------------------------------------------------------------------------- |
|
1104 | 1104 | |
|
1105 | 1105 | |
|
1106 | 1106 | class Any(TraitType): |
|
1107 | 1107 | default_value = None |
|
1108 | 1108 | info_text = 'any value' |
|
1109 | 1109 | |
|
1110 | 1110 | |
|
1111 | 1111 | class Int(TraitType): |
|
1112 | 1112 | """An int trait.""" |
|
1113 | 1113 | |
|
1114 | 1114 | default_value = 0 |
|
1115 | 1115 | info_text = 'an int' |
|
1116 | 1116 | |
|
1117 | 1117 | def validate(self, obj, value): |
|
1118 | 1118 | if isinstance(value, int): |
|
1119 | 1119 | return value |
|
1120 | 1120 | self.error(obj, value) |
|
1121 | 1121 | |
|
1122 | 1122 | class CInt(Int): |
|
1123 | 1123 | """A casting version of the int trait.""" |
|
1124 | 1124 | |
|
1125 | 1125 | def validate(self, obj, value): |
|
1126 | 1126 | try: |
|
1127 | 1127 | return int(value) |
|
1128 | 1128 | except: |
|
1129 | 1129 | self.error(obj, value) |
|
1130 | 1130 | |
|
1131 | 1131 | if py3compat.PY3: |
|
1132 | 1132 | Long, CLong = Int, CInt |
|
1133 | 1133 | Integer = Int |
|
1134 | 1134 | else: |
|
1135 | 1135 | class Long(TraitType): |
|
1136 | 1136 | """A long integer trait.""" |
|
1137 | 1137 | |
|
1138 | 1138 | default_value = 0 |
|
1139 | 1139 | info_text = 'a long' |
|
1140 | 1140 | |
|
1141 | 1141 | def validate(self, obj, value): |
|
1142 | 1142 | if isinstance(value, long): |
|
1143 | 1143 | return value |
|
1144 | 1144 | if isinstance(value, int): |
|
1145 | 1145 | return long(value) |
|
1146 | 1146 | self.error(obj, value) |
|
1147 | 1147 | |
|
1148 | 1148 | |
|
1149 | 1149 | class CLong(Long): |
|
1150 | 1150 | """A casting version of the long integer trait.""" |
|
1151 | 1151 | |
|
1152 | 1152 | def validate(self, obj, value): |
|
1153 | 1153 | try: |
|
1154 | 1154 | return long(value) |
|
1155 | 1155 | except: |
|
1156 | 1156 | self.error(obj, value) |
|
1157 | 1157 | |
|
1158 | 1158 | class Integer(TraitType): |
|
1159 | 1159 | """An integer trait. |
|
1160 | 1160 | |
|
1161 | 1161 | Longs that are unnecessary (<= sys.maxint) are cast to ints.""" |
|
1162 | 1162 | |
|
1163 | 1163 | default_value = 0 |
|
1164 | 1164 | info_text = 'an integer' |
|
1165 | 1165 | |
|
1166 | 1166 | def validate(self, obj, value): |
|
1167 | 1167 | if isinstance(value, int): |
|
1168 | 1168 | return value |
|
1169 | 1169 | if isinstance(value, long): |
|
1170 | 1170 | # downcast longs that fit in int: |
|
1171 | 1171 | # note that int(n > sys.maxint) returns a long, so |
|
1172 | 1172 | # we don't need a condition on this cast |
|
1173 | 1173 | return int(value) |
|
1174 | 1174 | if sys.platform == "cli": |
|
1175 | 1175 | from System import Int64 |
|
1176 | 1176 | if isinstance(value, Int64): |
|
1177 | 1177 | return int(value) |
|
1178 | 1178 | self.error(obj, value) |
|
1179 | 1179 | |
|
1180 | 1180 | |
|
1181 | 1181 | class Float(TraitType): |
|
1182 | 1182 | """A float trait.""" |
|
1183 | 1183 | |
|
1184 | 1184 | default_value = 0.0 |
|
1185 | 1185 | info_text = 'a float' |
|
1186 | 1186 | |
|
1187 | 1187 | def validate(self, obj, value): |
|
1188 | 1188 | if isinstance(value, float): |
|
1189 | 1189 | return value |
|
1190 | 1190 | if isinstance(value, int): |
|
1191 | 1191 | return float(value) |
|
1192 | 1192 | self.error(obj, value) |
|
1193 | 1193 | |
|
1194 | 1194 | |
|
1195 | 1195 | class CFloat(Float): |
|
1196 | 1196 | """A casting version of the float trait.""" |
|
1197 | 1197 | |
|
1198 | 1198 | def validate(self, obj, value): |
|
1199 | 1199 | try: |
|
1200 | 1200 | return float(value) |
|
1201 | 1201 | except: |
|
1202 | 1202 | self.error(obj, value) |
|
1203 | 1203 | |
|
1204 | 1204 | class Complex(TraitType): |
|
1205 | 1205 | """A trait for complex numbers.""" |
|
1206 | 1206 | |
|
1207 | 1207 | default_value = 0.0 + 0.0j |
|
1208 | 1208 | info_text = 'a complex number' |
|
1209 | 1209 | |
|
1210 | 1210 | def validate(self, obj, value): |
|
1211 | 1211 | if isinstance(value, complex): |
|
1212 | 1212 | return value |
|
1213 | 1213 | if isinstance(value, (float, int)): |
|
1214 | 1214 | return complex(value) |
|
1215 | 1215 | self.error(obj, value) |
|
1216 | 1216 | |
|
1217 | 1217 | |
|
1218 | 1218 | class CComplex(Complex): |
|
1219 | 1219 | """A casting version of the complex number trait.""" |
|
1220 | 1220 | |
|
1221 | 1221 | def validate (self, obj, value): |
|
1222 | 1222 | try: |
|
1223 | 1223 | return complex(value) |
|
1224 | 1224 | except: |
|
1225 | 1225 | self.error(obj, value) |
|
1226 | 1226 | |
|
1227 | 1227 | # We should always be explicit about whether we're using bytes or unicode, both |
|
1228 | 1228 | # for Python 3 conversion and for reliable unicode behaviour on Python 2. So |
|
1229 | 1229 | # we don't have a Str type. |
|
1230 | 1230 | class Bytes(TraitType): |
|
1231 | 1231 | """A trait for byte strings.""" |
|
1232 | 1232 | |
|
1233 | 1233 | default_value = b'' |
|
1234 | 1234 | info_text = 'a bytes object' |
|
1235 | 1235 | |
|
1236 | 1236 | def validate(self, obj, value): |
|
1237 | 1237 | if isinstance(value, bytes): |
|
1238 | 1238 | return value |
|
1239 | 1239 | self.error(obj, value) |
|
1240 | 1240 | |
|
1241 | 1241 | |
|
1242 | 1242 | class CBytes(Bytes): |
|
1243 | 1243 | """A casting version of the byte string trait.""" |
|
1244 | 1244 | |
|
1245 | 1245 | def validate(self, obj, value): |
|
1246 | 1246 | try: |
|
1247 | 1247 | return bytes(value) |
|
1248 | 1248 | except: |
|
1249 | 1249 | self.error(obj, value) |
|
1250 | 1250 | |
|
1251 | 1251 | |
|
1252 | 1252 | class Unicode(TraitType): |
|
1253 | 1253 | """A trait for unicode strings.""" |
|
1254 | 1254 | |
|
1255 | 1255 | default_value = u'' |
|
1256 | 1256 | info_text = 'a unicode string' |
|
1257 | 1257 | |
|
1258 | 1258 | def validate(self, obj, value): |
|
1259 | 1259 | if isinstance(value, py3compat.unicode_type): |
|
1260 | 1260 | return value |
|
1261 | 1261 | if isinstance(value, bytes): |
|
1262 | 1262 | try: |
|
1263 | 1263 | return value.decode('ascii', 'strict') |
|
1264 | 1264 | except UnicodeDecodeError: |
|
1265 | 1265 | msg = "Could not decode {!r} for unicode trait '{}' of {} instance." |
|
1266 | 1266 | raise TraitError(msg.format(value, self.name, class_of(obj))) |
|
1267 | 1267 | self.error(obj, value) |
|
1268 | 1268 | |
|
1269 | 1269 | |
|
1270 | 1270 | class CUnicode(Unicode): |
|
1271 | 1271 | """A casting version of the unicode trait.""" |
|
1272 | 1272 | |
|
1273 | 1273 | def validate(self, obj, value): |
|
1274 | 1274 | try: |
|
1275 | 1275 | return py3compat.unicode_type(value) |
|
1276 | 1276 | except: |
|
1277 | 1277 | self.error(obj, value) |
|
1278 | 1278 | |
|
1279 | 1279 | |
|
1280 | 1280 | class ObjectName(TraitType): |
|
1281 | 1281 | """A string holding a valid object name in this version of Python. |
|
1282 | 1282 | |
|
1283 | 1283 | This does not check that the name exists in any scope.""" |
|
1284 | 1284 | info_text = "a valid object identifier in Python" |
|
1285 | 1285 | |
|
1286 | 1286 | if py3compat.PY3: |
|
1287 | 1287 | # Python 3: |
|
1288 | 1288 | coerce_str = staticmethod(lambda _,s: s) |
|
1289 | 1289 | |
|
1290 | 1290 | else: |
|
1291 | 1291 | # Python 2: |
|
1292 | 1292 | def coerce_str(self, obj, value): |
|
1293 | 1293 | "In Python 2, coerce ascii-only unicode to str" |
|
1294 | 1294 | if isinstance(value, unicode): |
|
1295 | 1295 | try: |
|
1296 | 1296 | return str(value) |
|
1297 | 1297 | except UnicodeEncodeError: |
|
1298 | 1298 | self.error(obj, value) |
|
1299 | 1299 | return value |
|
1300 | 1300 | |
|
1301 | 1301 | def validate(self, obj, value): |
|
1302 | 1302 | value = self.coerce_str(obj, value) |
|
1303 | 1303 | |
|
1304 | 1304 | if isinstance(value, string_types) and py3compat.isidentifier(value): |
|
1305 | 1305 | return value |
|
1306 | 1306 | self.error(obj, value) |
|
1307 | 1307 | |
|
1308 | 1308 | class DottedObjectName(ObjectName): |
|
1309 | 1309 | """A string holding a valid dotted object name in Python, such as A.b3._c""" |
|
1310 | 1310 | def validate(self, obj, value): |
|
1311 | 1311 | value = self.coerce_str(obj, value) |
|
1312 | 1312 | |
|
1313 | 1313 | if isinstance(value, string_types) and py3compat.isidentifier(value, dotted=True): |
|
1314 | 1314 | return value |
|
1315 | 1315 | self.error(obj, value) |
|
1316 | 1316 | |
|
1317 | 1317 | |
|
1318 | 1318 | class Bool(TraitType): |
|
1319 | 1319 | """A boolean (True, False) trait.""" |
|
1320 | 1320 | |
|
1321 | 1321 | default_value = False |
|
1322 | 1322 | info_text = 'a boolean' |
|
1323 | 1323 | |
|
1324 | 1324 | def validate(self, obj, value): |
|
1325 | 1325 | if isinstance(value, bool): |
|
1326 | 1326 | return value |
|
1327 | 1327 | self.error(obj, value) |
|
1328 | 1328 | |
|
1329 | 1329 | |
|
1330 | 1330 | class CBool(Bool): |
|
1331 | 1331 | """A casting version of the boolean trait.""" |
|
1332 | 1332 | |
|
1333 | 1333 | def validate(self, obj, value): |
|
1334 | 1334 | try: |
|
1335 | 1335 | return bool(value) |
|
1336 | 1336 | except: |
|
1337 | 1337 | self.error(obj, value) |
|
1338 | 1338 | |
|
1339 | 1339 | |
|
1340 | 1340 | class Enum(TraitType): |
|
1341 | 1341 | """An enum that whose value must be in a given sequence.""" |
|
1342 | 1342 | |
|
1343 | 1343 | def __init__(self, values, default_value=None, **metadata): |
|
1344 | 1344 | self.values = values |
|
1345 | 1345 | super(Enum, self).__init__(default_value, **metadata) |
|
1346 | 1346 | |
|
1347 | 1347 | def validate(self, obj, value): |
|
1348 | 1348 | if value in self.values: |
|
1349 | 1349 | return value |
|
1350 | 1350 | self.error(obj, value) |
|
1351 | 1351 | |
|
1352 | 1352 | def info(self): |
|
1353 | 1353 | """ Returns a description of the trait.""" |
|
1354 | 1354 | result = 'any of ' + repr(self.values) |
|
1355 | 1355 | if self.allow_none: |
|
1356 | 1356 | return result + ' or None' |
|
1357 | 1357 | return result |
|
1358 | 1358 | |
|
1359 | 1359 | class CaselessStrEnum(Enum): |
|
1360 | 1360 | """An enum of strings that are caseless in validate.""" |
|
1361 | 1361 | |
|
1362 | 1362 | def validate(self, obj, value): |
|
1363 | 1363 | if not isinstance(value, py3compat.string_types): |
|
1364 | 1364 | self.error(obj, value) |
|
1365 | 1365 | |
|
1366 | 1366 | for v in self.values: |
|
1367 | 1367 | if v.lower() == value.lower(): |
|
1368 | 1368 | return v |
|
1369 | 1369 | self.error(obj, value) |
|
1370 | 1370 | |
|
1371 | 1371 | class Container(Instance): |
|
1372 | 1372 | """An instance of a container (list, set, etc.) |
|
1373 | 1373 | |
|
1374 | 1374 | To be subclassed by overriding klass. |
|
1375 | 1375 | """ |
|
1376 | 1376 | klass = None |
|
1377 | 1377 | _cast_types = () |
|
1378 | 1378 | _valid_defaults = SequenceTypes |
|
1379 | 1379 | _trait = None |
|
1380 | 1380 | |
|
1381 | 1381 | def __init__(self, trait=None, default_value=None, allow_none=False, |
|
1382 | 1382 | **metadata): |
|
1383 | 1383 | """Create a container trait type from a list, set, or tuple. |
|
1384 | 1384 | |
|
1385 | 1385 | The default value is created by doing ``List(default_value)``, |
|
1386 | 1386 | which creates a copy of the ``default_value``. |
|
1387 | 1387 | |
|
1388 | 1388 | ``trait`` can be specified, which restricts the type of elements |
|
1389 | 1389 | in the container to that TraitType. |
|
1390 | 1390 | |
|
1391 | 1391 | If only one arg is given and it is not a Trait, it is taken as |
|
1392 | 1392 | ``default_value``: |
|
1393 | 1393 | |
|
1394 | 1394 | ``c = List([1,2,3])`` |
|
1395 | 1395 | |
|
1396 | 1396 | Parameters |
|
1397 | 1397 | ---------- |
|
1398 | 1398 | |
|
1399 | 1399 | trait : TraitType [ optional ] |
|
1400 | 1400 | the type for restricting the contents of the Container. If unspecified, |
|
1401 | 1401 | types are not checked. |
|
1402 | 1402 | |
|
1403 | 1403 | default_value : SequenceType [ optional ] |
|
1404 | 1404 | The default value for the Trait. Must be list/tuple/set, and |
|
1405 | 1405 | will be cast to the container type. |
|
1406 | 1406 | |
|
1407 |
allow_none : |
|
|
1407 | allow_none : bool [ default False ] | |
|
1408 | 1408 | Whether to allow the value to be None |
|
1409 | 1409 | |
|
1410 | 1410 | **metadata : any |
|
1411 | 1411 | further keys for extensions to the Trait (e.g. config) |
|
1412 | 1412 | |
|
1413 | 1413 | """ |
|
1414 | 1414 | # allow List([values]): |
|
1415 | 1415 | if default_value is None and not is_trait(trait): |
|
1416 | 1416 | default_value = trait |
|
1417 | 1417 | trait = None |
|
1418 | 1418 | |
|
1419 | 1419 | if default_value is None: |
|
1420 | 1420 | args = () |
|
1421 | 1421 | elif isinstance(default_value, self._valid_defaults): |
|
1422 | 1422 | args = (default_value,) |
|
1423 | 1423 | else: |
|
1424 | 1424 | raise TypeError('default value of %s was %s' %(self.__class__.__name__, default_value)) |
|
1425 | 1425 | |
|
1426 | 1426 | if is_trait(trait): |
|
1427 | 1427 | self._trait = trait() if isinstance(trait, type) else trait |
|
1428 | 1428 | self._trait.name = 'element' |
|
1429 | 1429 | elif trait is not None: |
|
1430 | 1430 | raise TypeError("`trait` must be a Trait or None, got %s"%repr_type(trait)) |
|
1431 | 1431 | |
|
1432 | 1432 | super(Container,self).__init__(klass=self.klass, args=args, |
|
1433 | 1433 | allow_none=allow_none, **metadata) |
|
1434 | 1434 | |
|
1435 | 1435 | def element_error(self, obj, element, validator): |
|
1436 | 1436 | e = "Element of the '%s' trait of %s instance must be %s, but a value of %s was specified." \ |
|
1437 | 1437 | % (self.name, class_of(obj), validator.info(), repr_type(element)) |
|
1438 | 1438 | raise TraitError(e) |
|
1439 | 1439 | |
|
1440 | 1440 | def validate(self, obj, value): |
|
1441 | 1441 | if isinstance(value, self._cast_types): |
|
1442 | 1442 | value = self.klass(value) |
|
1443 | 1443 | value = super(Container, self).validate(obj, value) |
|
1444 | 1444 | if value is None: |
|
1445 | 1445 | return value |
|
1446 | 1446 | |
|
1447 | 1447 | value = self.validate_elements(obj, value) |
|
1448 | 1448 | |
|
1449 | 1449 | return value |
|
1450 | 1450 | |
|
1451 | 1451 | def validate_elements(self, obj, value): |
|
1452 | 1452 | validated = [] |
|
1453 | 1453 | if self._trait is None or isinstance(self._trait, Any): |
|
1454 | 1454 | return value |
|
1455 | 1455 | for v in value: |
|
1456 | 1456 | try: |
|
1457 | 1457 | v = self._trait._validate(obj, v) |
|
1458 | 1458 | except TraitError: |
|
1459 | 1459 | self.element_error(obj, v, self._trait) |
|
1460 | 1460 | else: |
|
1461 | 1461 | validated.append(v) |
|
1462 | 1462 | return self.klass(validated) |
|
1463 | 1463 | |
|
1464 | 1464 | def instance_init(self, obj): |
|
1465 | 1465 | if isinstance(self._trait, TraitType): |
|
1466 | 1466 | self._trait.this_class = self.this_class |
|
1467 | 1467 | if hasattr(self._trait, '_resolve_classes'): |
|
1468 | 1468 | self._trait._resolve_classes() |
|
1469 | 1469 | super(Container, self).instance_init(obj) |
|
1470 | 1470 | |
|
1471 | 1471 | |
|
1472 | 1472 | class List(Container): |
|
1473 | 1473 | """An instance of a Python list.""" |
|
1474 | 1474 | klass = list |
|
1475 | 1475 | _cast_types = (tuple,) |
|
1476 | 1476 | |
|
1477 | 1477 | def __init__(self, trait=None, default_value=None, minlen=0, maxlen=sys.maxsize, **metadata): |
|
1478 | 1478 | """Create a List trait type from a list, set, or tuple. |
|
1479 | 1479 | |
|
1480 | 1480 | The default value is created by doing ``List(default_value)``, |
|
1481 | 1481 | which creates a copy of the ``default_value``. |
|
1482 | 1482 | |
|
1483 | 1483 | ``trait`` can be specified, which restricts the type of elements |
|
1484 | 1484 | in the container to that TraitType. |
|
1485 | 1485 | |
|
1486 | 1486 | If only one arg is given and it is not a Trait, it is taken as |
|
1487 | 1487 | ``default_value``: |
|
1488 | 1488 | |
|
1489 | 1489 | ``c = List([1,2,3])`` |
|
1490 | 1490 | |
|
1491 | 1491 | Parameters |
|
1492 | 1492 | ---------- |
|
1493 | 1493 | |
|
1494 | 1494 | trait : TraitType [ optional ] |
|
1495 | 1495 | the type for restricting the contents of the Container. If unspecified, |
|
1496 | 1496 | types are not checked. |
|
1497 | 1497 | |
|
1498 | 1498 | default_value : SequenceType [ optional ] |
|
1499 | 1499 | The default value for the Trait. Must be list/tuple/set, and |
|
1500 | 1500 | will be cast to the container type. |
|
1501 | 1501 | |
|
1502 | 1502 | minlen : Int [ default 0 ] |
|
1503 | 1503 | The minimum length of the input list |
|
1504 | 1504 | |
|
1505 | 1505 | maxlen : Int [ default sys.maxsize ] |
|
1506 | 1506 | The maximum length of the input list |
|
1507 | 1507 | |
|
1508 |
allow_none : |
|
|
1508 | allow_none : bool [ default False ] | |
|
1509 | 1509 | Whether to allow the value to be None |
|
1510 | 1510 | |
|
1511 | 1511 | **metadata : any |
|
1512 | 1512 | further keys for extensions to the Trait (e.g. config) |
|
1513 | 1513 | |
|
1514 | 1514 | """ |
|
1515 | 1515 | self._minlen = minlen |
|
1516 | 1516 | self._maxlen = maxlen |
|
1517 | 1517 | super(List, self).__init__(trait=trait, default_value=default_value, |
|
1518 | 1518 | **metadata) |
|
1519 | 1519 | |
|
1520 | 1520 | def length_error(self, obj, value): |
|
1521 | 1521 | e = "The '%s' trait of %s instance must be of length %i <= L <= %i, but a value of %s was specified." \ |
|
1522 | 1522 | % (self.name, class_of(obj), self._minlen, self._maxlen, value) |
|
1523 | 1523 | raise TraitError(e) |
|
1524 | 1524 | |
|
1525 | 1525 | def validate_elements(self, obj, value): |
|
1526 | 1526 | length = len(value) |
|
1527 | 1527 | if length < self._minlen or length > self._maxlen: |
|
1528 | 1528 | self.length_error(obj, value) |
|
1529 | 1529 | |
|
1530 | 1530 | return super(List, self).validate_elements(obj, value) |
|
1531 | 1531 | |
|
1532 | 1532 | def validate(self, obj, value): |
|
1533 | 1533 | value = super(List, self).validate(obj, value) |
|
1534 | 1534 | |
|
1535 | 1535 | value = self.validate_elements(obj, value) |
|
1536 | 1536 | |
|
1537 | 1537 | return value |
|
1538 | 1538 | |
|
1539 | 1539 | |
|
1540 | 1540 | |
|
1541 | 1541 | class Set(List): |
|
1542 | 1542 | """An instance of a Python set.""" |
|
1543 | 1543 | klass = set |
|
1544 | 1544 | _cast_types = (tuple, list) |
|
1545 | 1545 | |
|
1546 | 1546 | class Tuple(Container): |
|
1547 | 1547 | """An instance of a Python tuple.""" |
|
1548 | 1548 | klass = tuple |
|
1549 | 1549 | _cast_types = (list,) |
|
1550 | 1550 | |
|
1551 | 1551 | def __init__(self, *traits, **metadata): |
|
1552 | 1552 | """Tuple(*traits, default_value=None, **medatata) |
|
1553 | 1553 | |
|
1554 | 1554 | Create a tuple from a list, set, or tuple. |
|
1555 | 1555 | |
|
1556 | 1556 | Create a fixed-type tuple with Traits: |
|
1557 | 1557 | |
|
1558 | 1558 | ``t = Tuple(Int, Str, CStr)`` |
|
1559 | 1559 | |
|
1560 | 1560 | would be length 3, with Int,Str,CStr for each element. |
|
1561 | 1561 | |
|
1562 | 1562 | If only one arg is given and it is not a Trait, it is taken as |
|
1563 | 1563 | default_value: |
|
1564 | 1564 | |
|
1565 | 1565 | ``t = Tuple((1,2,3))`` |
|
1566 | 1566 | |
|
1567 | 1567 | Otherwise, ``default_value`` *must* be specified by keyword. |
|
1568 | 1568 | |
|
1569 | 1569 | Parameters |
|
1570 | 1570 | ---------- |
|
1571 | 1571 | |
|
1572 | 1572 | *traits : TraitTypes [ optional ] |
|
1573 | 1573 | the tsype for restricting the contents of the Tuple. If unspecified, |
|
1574 | 1574 | types are not checked. If specified, then each positional argument |
|
1575 | 1575 | corresponds to an element of the tuple. Tuples defined with traits |
|
1576 | 1576 | are of fixed length. |
|
1577 | 1577 | |
|
1578 | 1578 | default_value : SequenceType [ optional ] |
|
1579 | 1579 | The default value for the Tuple. Must be list/tuple/set, and |
|
1580 | 1580 | will be cast to a tuple. If `traits` are specified, the |
|
1581 | 1581 | `default_value` must conform to the shape and type they specify. |
|
1582 | 1582 | |
|
1583 |
allow_none : |
|
|
1583 | allow_none : bool [ default False ] | |
|
1584 | 1584 | Whether to allow the value to be None |
|
1585 | 1585 | |
|
1586 | 1586 | **metadata : any |
|
1587 | 1587 | further keys for extensions to the Trait (e.g. config) |
|
1588 | 1588 | |
|
1589 | 1589 | """ |
|
1590 | 1590 | default_value = metadata.pop('default_value', None) |
|
1591 | 1591 | allow_none = metadata.pop('allow_none', True) |
|
1592 | 1592 | |
|
1593 | 1593 | # allow Tuple((values,)): |
|
1594 | 1594 | if len(traits) == 1 and default_value is None and not is_trait(traits[0]): |
|
1595 | 1595 | default_value = traits[0] |
|
1596 | 1596 | traits = () |
|
1597 | 1597 | |
|
1598 | 1598 | if default_value is None: |
|
1599 | 1599 | args = () |
|
1600 | 1600 | elif isinstance(default_value, self._valid_defaults): |
|
1601 | 1601 | args = (default_value,) |
|
1602 | 1602 | else: |
|
1603 | 1603 | raise TypeError('default value of %s was %s' %(self.__class__.__name__, default_value)) |
|
1604 | 1604 | |
|
1605 | 1605 | self._traits = [] |
|
1606 | 1606 | for trait in traits: |
|
1607 | 1607 | t = trait() if isinstance(trait, type) else trait |
|
1608 | 1608 | t.name = 'element' |
|
1609 | 1609 | self._traits.append(t) |
|
1610 | 1610 | |
|
1611 | 1611 | if self._traits and default_value is None: |
|
1612 | 1612 | # don't allow default to be an empty container if length is specified |
|
1613 | 1613 | args = None |
|
1614 | 1614 | super(Container,self).__init__(klass=self.klass, args=args, **metadata) |
|
1615 | 1615 | |
|
1616 | 1616 | def validate_elements(self, obj, value): |
|
1617 | 1617 | if not self._traits: |
|
1618 | 1618 | # nothing to validate |
|
1619 | 1619 | return value |
|
1620 | 1620 | if len(value) != len(self._traits): |
|
1621 | 1621 | e = "The '%s' trait of %s instance requires %i elements, but a value of %s was specified." \ |
|
1622 | 1622 | % (self.name, class_of(obj), len(self._traits), repr_type(value)) |
|
1623 | 1623 | raise TraitError(e) |
|
1624 | 1624 | |
|
1625 | 1625 | validated = [] |
|
1626 | 1626 | for t,v in zip(self._traits, value): |
|
1627 | 1627 | try: |
|
1628 | 1628 | v = t._validate(obj, v) |
|
1629 | 1629 | except TraitError: |
|
1630 | 1630 | self.element_error(obj, v, t) |
|
1631 | 1631 | else: |
|
1632 | 1632 | validated.append(v) |
|
1633 | 1633 | return tuple(validated) |
|
1634 | 1634 | |
|
1635 | 1635 | def instance_init(self, obj): |
|
1636 | 1636 | for trait in self._traits: |
|
1637 | 1637 | if isinstance(trait, TraitType): |
|
1638 | 1638 | trait.this_class = self.this_class |
|
1639 | 1639 | if hasattr(trait, '_resolve_classes'): |
|
1640 | 1640 | trait._resolve_classes() |
|
1641 | 1641 | super(Container, self).instance_init(obj) |
|
1642 | 1642 | |
|
1643 | 1643 | |
|
1644 | 1644 | class Dict(Instance): |
|
1645 | 1645 | """An instance of a Python dict.""" |
|
1646 | 1646 | |
|
1647 | 1647 | def __init__(self, default_value={}, allow_none=False, **metadata): |
|
1648 | 1648 | """Create a dict trait type from a dict. |
|
1649 | 1649 | |
|
1650 | 1650 | The default value is created by doing ``dict(default_value)``, |
|
1651 | 1651 | which creates a copy of the ``default_value``. |
|
1652 | 1652 | """ |
|
1653 | 1653 | if default_value is None: |
|
1654 | 1654 | args = None |
|
1655 | 1655 | elif isinstance(default_value, dict): |
|
1656 | 1656 | args = (default_value,) |
|
1657 | 1657 | elif isinstance(default_value, SequenceTypes): |
|
1658 | 1658 | args = (default_value,) |
|
1659 | 1659 | else: |
|
1660 | 1660 | raise TypeError('default value of Dict was %s' % default_value) |
|
1661 | 1661 | |
|
1662 | 1662 | super(Dict,self).__init__(klass=dict, args=args, |
|
1663 | 1663 | allow_none=allow_none, **metadata) |
|
1664 | 1664 | |
|
1665 | 1665 | |
|
1666 | 1666 | class EventfulDict(Instance): |
|
1667 | 1667 | """An instance of an EventfulDict.""" |
|
1668 | 1668 | |
|
1669 | 1669 | def __init__(self, default_value={}, allow_none=False, **metadata): |
|
1670 | 1670 | """Create a EventfulDict trait type from a dict. |
|
1671 | 1671 | |
|
1672 | 1672 | The default value is created by doing |
|
1673 | 1673 | ``eventful.EvenfulDict(default_value)``, which creates a copy of the |
|
1674 | 1674 | ``default_value``. |
|
1675 | 1675 | """ |
|
1676 | 1676 | if default_value is None: |
|
1677 | 1677 | args = None |
|
1678 | 1678 | elif isinstance(default_value, dict): |
|
1679 | 1679 | args = (default_value,) |
|
1680 | 1680 | elif isinstance(default_value, SequenceTypes): |
|
1681 | 1681 | args = (default_value,) |
|
1682 | 1682 | else: |
|
1683 | 1683 | raise TypeError('default value of EventfulDict was %s' % default_value) |
|
1684 | 1684 | |
|
1685 | 1685 | super(EventfulDict, self).__init__(klass=eventful.EventfulDict, args=args, |
|
1686 | 1686 | allow_none=allow_none, **metadata) |
|
1687 | 1687 | |
|
1688 | 1688 | |
|
1689 | 1689 | class EventfulList(Instance): |
|
1690 | 1690 | """An instance of an EventfulList.""" |
|
1691 | 1691 | |
|
1692 | 1692 | def __init__(self, default_value=None, allow_none=False, **metadata): |
|
1693 | 1693 | """Create a EventfulList trait type from a dict. |
|
1694 | 1694 | |
|
1695 | 1695 | The default value is created by doing |
|
1696 | 1696 | ``eventful.EvenfulList(default_value)``, which creates a copy of the |
|
1697 | 1697 | ``default_value``. |
|
1698 | 1698 | """ |
|
1699 | 1699 | if default_value is None: |
|
1700 | 1700 | args = ((),) |
|
1701 | 1701 | else: |
|
1702 | 1702 | args = (default_value,) |
|
1703 | 1703 | |
|
1704 | 1704 | super(EventfulList, self).__init__(klass=eventful.EventfulList, args=args, |
|
1705 | 1705 | allow_none=allow_none, **metadata) |
|
1706 | 1706 | |
|
1707 | 1707 | |
|
1708 | 1708 | class TCPAddress(TraitType): |
|
1709 | 1709 | """A trait for an (ip, port) tuple. |
|
1710 | 1710 | |
|
1711 | 1711 | This allows for both IPv4 IP addresses as well as hostnames. |
|
1712 | 1712 | """ |
|
1713 | 1713 | |
|
1714 | 1714 | default_value = ('127.0.0.1', 0) |
|
1715 | 1715 | info_text = 'an (ip, port) tuple' |
|
1716 | 1716 | |
|
1717 | 1717 | def validate(self, obj, value): |
|
1718 | 1718 | if isinstance(value, tuple): |
|
1719 | 1719 | if len(value) == 2: |
|
1720 | 1720 | if isinstance(value[0], py3compat.string_types) and isinstance(value[1], int): |
|
1721 | 1721 | port = value[1] |
|
1722 | 1722 | if port >= 0 and port <= 65535: |
|
1723 | 1723 | return value |
|
1724 | 1724 | self.error(obj, value) |
|
1725 | 1725 | |
|
1726 | 1726 | class CRegExp(TraitType): |
|
1727 | 1727 | """A casting compiled regular expression trait. |
|
1728 | 1728 | |
|
1729 | 1729 | Accepts both strings and compiled regular expressions. The resulting |
|
1730 | 1730 | attribute will be a compiled regular expression.""" |
|
1731 | 1731 | |
|
1732 | 1732 | info_text = 'a regular expression' |
|
1733 | 1733 | |
|
1734 | 1734 | def validate(self, obj, value): |
|
1735 | 1735 | try: |
|
1736 | 1736 | return re.compile(value) |
|
1737 | 1737 | except: |
|
1738 | 1738 | self.error(obj, value) |
General Comments 0
You need to be logged in to leave comments.
Login now