Mercurial > pylearn
view lookup_list.py @ 30:bf0145fa73e8
added c implementation for CrossentropySoftmax1Hot
author | bergstrj@iro.umontreal.ca |
---|---|
date | Fri, 11 Apr 2008 21:41:09 -0400 |
parents | b6b36f65664f |
children | a5c70dc42972 |
line wrap: on
line source
from copy import copy class LookupList(object): """ A LookupList is a sequence whose elements can be named (and unlike a dictionary the order of the elements depends not on their key but on the order given by the user through construction) so that following syntactic constructions work as one would expect: example = LookupList(['x','y','z'],[1,2,3]) example['x'] = [1, 2, 3] # set or change a field x, y, z = example x = example[0] x = example["x"] print example.keys() # prints ['x','y','z'] print example.values() # prints [[1,2,3],2,3] print example.items() # prints [('x',[1,2,3]),('y',2),('z',3)] example.append_keyval('u',0) # adds item with name 'u' and value 0 print len(example) # number of items = 4 here print example+example # addition is like for lists, a concatenation of the items. Note that the element names should be unique. """ def __init__(self,names=[],values=[]): assert len(values)==len(names) self.__dict__['_values']=values self.__dict__['_name2index']={} self.__dict__['_names']=names for i in xrange(len(values)): assert names[i] not in self._name2index self._name2index[names[i]]=i def keys(self): return self._names def values(self): return self._values def items(self): """ Return a list of (name,value) pairs of all the items in the look-up list. """ return zip(self._names,self._values) def __getitem__(self,key): """ The key in example[key] can either be an integer to index the fields or the name of the field. """ if isinstance(key,int): return self._values[key] else: # if not an int, key must be a name return self._values[self._name2index[key]] def __setitem__(self,key,value): if isinstance(key,int): self._values[key]=value else: # if not an int, key must be a name if key in self._name2index: self._values[self._name2index[key]]=value else: self.append_keyval(key,value) def append_keyval(self, key, value): assert key not in self._name2index self._name2index[key]=len(self) self._values.append(value) self._names.append(key) def __len__(self): return len(self._values) def __repr__(self): return "{%s}" % ", ".join([str(k) + "=" + repr(v) for k,v in self.items()]) def __add__(self,rhs): new_example = copy(self) for item in rhs.items(): new_example.append_keyval(item[0],item[1]) return new_example def __radd__(self,lhs): new_example = copy(lhs) for item in self.items(): new_example.append_keyval(item[0],item[1]) return new_example