/usr/share/pyshared/mvpa2/base/collections.py is in python-mvpa2 2.1.0-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 | # emacs: -*- mode: python; py-indent-offset: 4; indent-tabs-mode: nil -*-
# vi: set ft=python sts=4 ts=4 sw=4 et:
### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ##
#
# See COPYING file distributed along with the PyMVPA package for the
# copyright and license terms.
#
### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ### ##
"""Module with some special objects to be used as magic attributes with
dedicated containers aka. `Collections`.
"""
__docformat__ = 'restructuredtext'
import copy, re
import numpy as np
from operator import isSequenceType
from mvpa2.base.dochelpers import _str, borrowdoc
if __debug__:
# we could live without, but it would be nicer with it
try:
from mvpa2.base import debug
__mvpadebug__ = True
except ImportError:
__mvpadebug__ = False
_object_getattribute = dict.__getattribute__
_object_setattr = dict.__setattr__
_object_setitem = dict.__setitem__
# To validate fresh
_dict_api = set(dict.__dict__)
class Collectable(object):
"""Collection element.
A named single item container that allows for type, or property checks of
an assigned value, and also offers utility functionality.
"""
def __init__(self, value=None, name=None, doc=None):
"""
Parameters
----------
value : arbitrary (see derived implementations)
The actual value of this attribute.
name : str
Name of the collectable under which it should be available in its
respective collection.
doc : str
Documentation about the purpose of this collectable.
"""
if doc is not None:
# to prevent newlines in the docstring
doc = re.sub('[\n ]+', ' ', doc)
self.__doc__ = doc
self.__name = name
self._value = None
if not value is None:
self._set(value)
if __debug__ and __mvpadebug__:
debug("COL", "Initialized %r", (self,))
def __copy__(self):
# preserve attribute type
copied = self.__class__(name=self.name, doc=self.__doc__)
# just get a view of the old data!
copied.value = copy.copy(self.value)
return copied
## def __deepcopy__(self, memo=None):
## # preserve attribute type
## copied = self.__class__(name=self.name, doc=self.__doc__)
## # get a deepcopy of the old data!
## copied._value = copy.deepcopy(self._value, memo)
## return copied
def _get(self):
return self._value
def _set(self, val):
if __debug__ and __mvpadebug__:
# Since this call is quite often, don't convert
# values to strings here, rely on passing them
# withing msgargs
debug("COL", "Setting %s to %s ", (self, val))
self._value = val
def __str__(self):
res = "%s" % (self.name)
return res
def __reduce__(self):
return (self.__class__,
(self._value, self.name, self.__doc__))
def __repr__(self):
value = self.value
return "%s(name=%s, doc=%s, value=%s)" % (self.__class__.__name__,
repr(self.name),
repr(self.__doc__),
repr(value))
def _get_name(self):
return self.__name
def _set_name(self, name):
"""Set the name of parameter
Notes
-----
Should not be called for an attribute which is already assigned
to a collection
"""
if name is not None:
if isinstance(name, basestring):
if name[0] == '_':
raise ValueError, \
"Collectable attribute name must not start " \
"with _. Got %s" % name
else:
raise ValueError, \
"Collectable attribute name must be a string. " \
"Got %s" % `name`
self.__name = name
# Instead of going for VProperty lets make use of virtual method
def _get_virtual(self):
return self._get()
def _set_virtual(self, value):
return self._set(value)
value = property(_get_virtual, _set_virtual)
name = property(_get_name, _set_name)
class SequenceCollectable(Collectable):
"""Collectable to handle sequences.
It takes care about caching and recomputing unique values, as well as
optional checking if assigned sequences have a desired length.
"""
def __init__(self, value=None, name=None, doc="Sequence attribute",
length=None):
"""
Parameters
----------
value : arbitrary (see derived implementations)
The actual value of this attribute.
name : str
Name of the attribute under which it should be available in its
respective collection.
doc : str
Documentation about the purpose of this attribute.
length : int
If not None, enforce any array assigned as value of this collectable
to be of this `length`. If an array does not match this requirement
it is not modified, but a ValueError is raised.
"""
# first configure the value checking, to enable it for the base class
# init
# XXX should we disallow empty Collectables??
if not value is None and not hasattr(value, '__len__'):
raise ValueError("%s only takes sequences as value."
% self.__class__.__name__)
self._target_length = length
Collectable.__init__(self, value=value, name=name, doc=doc)
self._reset_unique()
def __reduce__(self):
return (self.__class__,
(self.value, self.name, self.__doc__, self._target_length))
def __repr__(self):
value = self.value
return "%s(name=%s, doc=%s, value=%s, length=%s)" \
% (self.__class__.__name__,
repr(self.name),
repr(self.__doc__),
repr(value),
repr(self._target_length))
def __len__(self):
return self.value.__len__()
def __getitem__(self, key):
return self.value.__getitem__(key)
def _set(self, val):
# check if the new value has the desired length -- if length checking is
# desired at all
if not self._target_length is None \
and len(val) != self._target_length:
raise ValueError("Value length [%i] does not match the required "
"length [%i] of attribute '%s'."
% (len(val),
self._target_length,
str(self.name)))
self._reset_unique()
Collectable._set(self, val)
def _reset_unique(self):
self._unique_values = None
@property
def unique(self):
if self.value is None:
return None
if self._unique_values is None:
# XXX we might better use Set, but yoh recalls that
# np.unique was more efficient. May be we should check
# on the the class and use Set only if we are not
# dealing with ndarray (or lists/tuples)
self._unique_values = np.unique(self.value)
return self._unique_values
def set_length_check(self, value):
"""Set a target length of the value in this collectable.
Parameters
----------
value : int
If not None, enforce any array assigned as value of this collectable
to be of this `length`. If an array does not match this requirement
it is not modified, but a ValueError is raised.
"""
self._target_length = value
class ArrayCollectable(SequenceCollectable):
"""Collectable embedding an array.
When shallow-copied it includes a view of the array in the copy.
"""
def __copy__(self):
# preserve attribute type
copied = self.__class__(name=self.name, doc=self.__doc__,
length=self._target_length)
# just get a view of the old data!
copied.value = self.value.view()
return copied
def _set(self, val):
if not hasattr(val, 'view'):
if isSequenceType(val):
try:
val = np.asanyarray(val)
except ValueError, e:
if "setting an array element with a sequence" in str(e):
val = np.asanyarray(val, dtype=object)
else:
raise
else:
raise ValueError("%s only takes ndarrays (or array-likes "
"providing view(), or sequence that can "
"be converted into arrays (got '%s')."
% (self.__class__.__name__,
str(type(val))))
SequenceCollectable._set(self, val)
class SampleAttribute(ArrayCollectable):
"""Per sample attribute in a dataset"""
pass
class FeatureAttribute(ArrayCollectable):
"""Per feature attribute in a dataset"""
pass
class DatasetAttribute(ArrayCollectable):
"""Dataset attribute"""
pass
class Collection(dict):
"""Container of some Collectables.
"""
def __init__(self, items=None):
"""
Parameters
----------
items : all types accepted by update()
"""
dict.__init__(self)
if not items is None:
self.update(items)
def copy(self, deep=True, a=None, memo=None):
"""Create a copy of a collection.
By default this is going to return a deep copy of the
collection, hence no data would be shared between the original
dataset and its copy.
Parameters
----------
deep : boolean, optional
If False, a shallow copy of the collection is return instead. The copy
contains only views of the values.
a : list or None
List of attributes to include in the copy of the dataset. If
`None` all attributes are considered. If an empty list is
given, all attributes are stripped from the copy.
memo : dict
Developers only: This argument is only useful if copy() is called
inside the __deepcopy__() method and refers to the dict-argument
`memo` in the Python documentation.
"""
# create the new collections of the right type derived classes
# might like to assure correct setting of additional
# attributes such as self._attr_length
anew = self.__class__()
# filter the attributes if necessary
if a is None:
aorig = self
else:
aorig = dict([(k, v) for k, v in self.iteritems() if k in a])
# XXX copyvalues defaults to None which provides capability to
# just bind values (not even 'copy'). Might it need be
# desirable here?
anew.update(aorig, copyvalues=deep and 'deep' or 'shallow',
memo=memo)
if __debug__ and __mvpadebug__ and 'COL' in debug.active:
debug("COL", "Copied %s into %s using args deep=%r a=%r",
(self, anew, deep, a))
#if 'state2' in str(self):
# import pydb; pydb.debugger()
return anew
# XXX If enabled, then overrides dict.__reduce* leading to conditional
# attributes loosing their documentations in copying etc.
#
#def __copy__(self):
# return self.copy(deep=False)
#
#
#def __deepcopy__(self, memo=None):
# return self.copy(deep=True, memo=memo)
def __setitem__(self, key, value):
"""Add a new Collectable to the collection
Parameters
----------
key : str
The name of the collectable under which it is available in the
collection. This name is also stored in the item itself
value : anything
The actual item the should become part of the collection. If this is
not an instance of `Collectable` or a subclass the value is
automatically wrapped into it.
"""
# Check if given key is not trying to override anything in
# dict interface
if key in _dict_api:
raise ValueError, \
"Cannot add a collectable %r to collection %s since an " \
"attribute or a method with such a name is already present " \
"in dict interface. Choose some other name." % (key, self)
if not isinstance(value, Collectable):
value = Collectable(value)
# overwrite the Collectable's name with the given one
value.name = key
_object_setitem(self, key, value)
def update(self, source, copyvalues=None, memo=None):
"""
Parameters
----------
source : list, Collection, dict
copyvalues : None, shallow, deep
If None, values will simply be bound to the collection items'
values thus sharing the same instance. 'shallow' and 'deep' copies use
'copy' and 'deepcopy' correspondingly.
memo : dict
Developers only: This argument is only useful if copy() is called
inside the __deepcopy__() method and refers to the dict-argument
`memo` in the Python documentation.
"""
if isinstance(source, list):
for a in source:
if isinstance(a, tuple):
#list of tuples, e.g. from dict.items()
name = a[0]
value = a[1]
else:
# list of collectables
name = a.name
value = a
if copyvalues is None:
self[name] = value
elif copyvalues is 'shallow':
self[name] = copy.copy(value)
elif copyvalues is 'deep':
self[name] = copy.deepcopy(value, memo)
else:
raise ValueError("Unknown value ('%s') for copy argument."
% copy)
elif isinstance(source, dict):
for k, v in source.iteritems():
# expand the docs
if isinstance(v, tuple):
value = v[0]
doc = v[1]
else:
value = v
doc = None
# add the attribute with optional docs
if copyvalues is None:
self[k] = v
elif copyvalues is 'shallow':
self[k] = copy.copy(v)
elif copyvalues is 'deep':
self[k] = copy.deepcopy(v, memo)
else:
raise ValueError("Unknown value ('%s') for copy argument."
% copy)
# store documentation
self[k].__doc__ = doc
else:
raise ValueError("Collection.upate() cannot handle '%s'."
% str(type(source)))
def __getattribute__(self, key):
try:
return self[key].value
except KeyError:
return _object_getattribute(self, key)
def __setattr__(self, key, value):
try:
self[key].value = value
except KeyError:
_object_setattr(self, key, value)
# TODO: unify with the rest of __repr__ handling
def __repr__(self):
return "%s(items=%r)" \
% (self.__class__.__name__, self.values())
def __str__(self):
return _str(self, ','.join([str(k) for k in sorted(self.keys())]))
class UniformLengthCollection(Collection):
"""Container for attributes with the same length.
"""
def __init__(self, items=None, length=None):
"""
Parameters
----------
length : int
When adding items to the collection, they are checked if the have this
length.
"""
# cannot call set_length(), since base class __getattribute__ goes wild
# before its __init__ is called.
self._uniform_length = length
Collection.__init__(self, items)
def __reduce__(self):
return (self.__class__,
(self.items(), self._uniform_length))
@borrowdoc(Collection)
def copy(self, *args, **kwargs):
# Create a generic copy of the collection
anew = super(UniformLengthCollection, self).copy(*args, **kwargs)
# if it had any attributes assigned, those should have set
# attr_length already, otherwise lets assure that we copy the
# correct one into the new instance
if self.attr_length is not None and anew.attr_length is None:
anew.set_length_check(self.attr_length)
return anew
def set_length_check(self, value):
"""
Parameters
----------
value : int
When adding new items to the collection, they are checked if the have
this length.
"""
self._uniform_length = value
for v in self.values():
v.set_length_check(value)
def __setitem__(self, key, value):
"""Add a new IndexedCollectable to the collection
Parameters
----------
item : IndexedCollectable
or of derived class. Must have 'name' assigned.
"""
# local binding
ulength = self._uniform_length
# XXX should we check whether it is some other Collectable?
if not isinstance(value, ArrayCollectable):
# if it is only a single element iterable, attempt broadcasting
if isSequenceType(value) and len(value) == 1 \
and not ulength is None:
if ulength > 1:
# cannot use np.repeat, because it destroys dimensionality
value = [value[0]] * ulength
value = ArrayCollectable(value)
if ulength is None:
ulength = len(value)
elif not len(value.value) == ulength:
raise ValueError("Collectable '%s' with length [%i] does not match "
"the required length [%i] of collection '%s'."
% (key,
len(value.value),
ulength,
str(self)))
# tell the attribute to maintain the desired length
value.set_length_check(ulength)
Collection.__setitem__(self, key, value)
attr_length = property(fget=lambda self:self._uniform_length,
doc="Uniform length of all attributes in a collection")
class SampleAttributesCollection(UniformLengthCollection):
"""Container for attributes of samples (i.e. labels, chunks...)
"""
pass
class FeatureAttributesCollection(UniformLengthCollection):
"""Container for attributes of features
"""
pass
class DatasetAttributesCollection(Collection):
"""Container for attributes of datasets (i.e. mappers, ...)
"""
pass
|