Source code for itm.grid.base
Created on Jan 3, 2011
@author: klingshi
'''
from operator import mul
from ual import edge_types
from type_helper import *
import array
import numpy
import data
GRID_UNDEFINED = 0
class Grid():
'''Wsrapper class for a grid description which is usually a part of a CPO.'''
[docs] # __grid is the complexgrid object this Grid object works on
def __init__(self, grid):
'''Create a new grid object wrapping an edge_types.grid_full data structure.'''
[docs] assert is_complexgrid(grid)
self.grid = grid # TODO: hide this
@property
def ndim(self):
'''Number of dimensions of the grid.'''
[docs] return sum(self.space_dims)
@property
def nspace(self):
'''Number of spaces in the grid.'''
[docs] return len(self.grid.spaces.array)
def space(self, ispace):
'''Return space with index ispace.
[docs]
Space indexing starts from zero. The last space therefore has index Grid.nspace - 1.'''
return Space(self.grid.spaces.array[ispace])
@property
def spaces(self):
'''Return a list of all spaces.'''
[docs] sp = []
for i in xrange(self.nspace):
sp.append(self.space(i))
return sp
@property
def space_dims(self):
'''Return an integer vector holding the dimensions of the individual spaces.'''
[docs] res = []
for space in self.grid.spaces.array:
res.append(len(space.coordtype))
return res
@property
def coord_types(self):
'''Return an integer vector holding the coordinate types of the dimensions of the grid.'''
[docs] res = []
for space in self.grid.spaces.array:
res.extend(space.coordtype)
return res
@property
def nsubgrid(self):
'''Number of subgrids in this grid.'''
[docs] return len(self.grid.subgrids.array)
def subgrid(self, isubgrid):
'''Return subgrid object for the given subgrid index.
[docs]
Subgrid indexing starts at 1, the last subgrid is grid.nsubgrid.'''
assert isubgrid > 0 and isubgrid <= self.nsubgrid
return SubGrid.from_complexgrid_subgrid(self, self.grid.subgrids.array[isubgrid - 1], isubgrid)
def subgrid_for_id(self, id):
'''Return subgrid object for the given subgrid id (name), or None if none found.'''
[docs] for iSg, sg in enumerate(self.grid.subgrids.array):
if sg.id == id:
return SubGrid.from_complexgrid_subgrid(self, sg, iSg + 1)
return None
def subgrid_index_for_id(self, id):
'''Return subgrid index for the given subgrid id (name), or None if no subgrid with this id is found.'''
[docs] for iSg, sg in enumerate(self.grid.subgrids.array):
if sg.id == id:
return iSg + 1
return None
@property
def subgrids(self):
'''Return a list of all subgrids.'''
[docs] sg = []
for i in xrange(self.nsubgrid):
sg.append(self.subgrid(i+1))
return sg
def class_exists(self, cls):
'''Test whether the object class given by the tuple `cls` exists in the grid.'''
[docs] assert len(cls) == self.nspace
for i, sc in enumerate(cls):
if not ((sc >= 0) and (sc <= self.space(i).ndim)):
return False
return True
def object_exists(self, cls, ind):
'''Test whether the object given by `obj` exists in the grid.'''
[docs] if not self.class_exists(cls):
return False
for i, si in enumerate(ind):
if not ((si > 0) and (si <= self.space(i).nobj(cls[i]))):
return False
return True
def node_exists(self, nodeind):
'''Test whether the node with the given index `nodeind` exists.
[docs]
Effectively calls object_exists for the equivalent node object descriptor.'''
return self.object_exists((0,) * self.nspace, nodeind)
def node_index(self, node):
'''Return the global index of the given node.
[docs]
node can either be an index tuple or a node object (i.e. an Object with cls=(0,...,0)).'''
if isinstance(node, Object):
assert self.object_exists(node.cls, node.ind)
lnode = node
else:
lnode = Object(self, (0,)*self.nspace, node)
return lnode.global_ind
def node_coord(self, node):
'''Return the coordinates of the given node as a numpy array.
[docs]
node can either be an index tuple or a node object (i.e. an Object with cls=(0,...,0)).'''
if isinstance(node, Object):
nodeind = node.ind
else:
nodeind = node
coord = numpy.zeros(self.ndim)
idim = 0
for i, space in enumerate(self.spaces):
coord[idim:idim + space.ndim] = space.node(nodeind[i])
idim += space.ndim
return coord
def nodes_coord(self, nodes=None):
'''Return the coordinates of a iterable of node objects or node index tuples as a 2d numpy array.
[docs]
Result is a 2d array: first dimension is the node index, second dimension the coordinate index.
If no nodes are given as input, the coordinates of all nodes in the grid are returned.'''
if nodes is None:
allNodes = ImplicitObjectList(self, (0,) * self.nspace)
nNodes = len(allNodes)
c = numpy.zeros([nNodes, self.ndim])
for i in xrange(nNodes):
c[i, :] = self.node_coord(allNodes[i])
else:
c = numpy.zeros([len(nodes), self.ndim])
for i, n in enumerate(nodes):
c[i, :] = self.node_coord(n)
return c
def get_obj(self, cls, ind):
return Object(self, cls, ind)
[docs]
def get_objs(self, cls):
return ImplicitObjectList(self, cls)
[docs]
def get_obj_by_global_index(self, cls, globalInd):
assert self.class_exists(cls)
[docs] assert (globalInd > 0) and (globalInd <= self.nobj(cls))
oc = []
for isp in xrange(self.nspace):
oc.append(self.space(isp).nobj(cls[isp]))
irem = globalInd
ind = []
for isp in xrange(self.nspace - 1, 0, -1):
s = reduce(mul, oc[0:isp])
tind = ((irem - 1) / s)
irem = irem - tind * s
ind.append(tind + 1)
ind.append(irem)
ind.reverse()
return Object(self, cls, ind)
def nobj(self, cls):
assert self.class_exists(cls)
[docs]
objcount = 1
for isp in xrange(self.nspace):
objcount = objcount * self.space(isp).nobj(cls[isp])
return objcount
def measure_class(self, cls):
'''Return measures for a given class.
[docs]
Returns None if no measure information is found'''
# Measures can be stored either in object descriptions or the metric substructure.
# For subobject classes, first look in space.objects definition
if Grid.is_subobject_class(cls):
spaceInd, dim = Grid.split_subobject_class(cls)
measure = self._grid.spaces.array[spaceInd - 1].objects.array[dim - 1].measure
if len(measure) == self.nobj(cls):
return measure
# Next, look up the class in the metric substructure, measure dataset
return data.ScalarDataList(self._grid.metric.measure).get_for_class(cls)
def measure_obj(self, obj):
'''Return measure for given object.'''
[docs] # TODO: this depends on the geometry type of the grid. Currently assumes standard interpretation
mClass = self.measure_class(obj.cls)
if mClass is not None:
return mClass[obj.global_ind]
# if nothing found so far, try general lookup in measure data
return data.ScalarDataList(self._grid.metric.measure).get_for_object(obj)
@staticmethod
def class_dim(cls):
return sum(cls)
[docs]
@staticmethod
def is_subobject_class(cls):
'''Returns whether an object class is an subobject class.
[docs]
This means the geometry of an object of this class is fully described in one space
(where it is stored explicitly, and no implicit combination with other spaces is
required to deduce it's shape). This can be seen
easily checking whether the object class tuple has only one non-zero index.
Nodes (0d objects) are never subobjects.'''
return cls.count(0) == len(cls) - 1
@staticmethod
def split_subobject_class(cls):
'''For a subobject class descriptor, return the space index and object dimension
[docs] of the subobject class as distinct values.'''
assert Grid.is_subobject_class(cls)
dim = max(cls)
return (cls.index(dim) + 1, dim)
class Space():
def __init__(self, space):
assert isinstance(space, edge_types.complexgrid_spaceObj)
self.space = space # TODO: hide this
@property
def ndim(self):
return len(self.space.coordtype)
@property
def nnode(self):
return self.space.nodes.geo.shape[0]
def node(self, inode):
return self.space.nodes.geo[inode - 1, :, 0]
def nobj(self, dim):
assert (dim >= 0) and (dim <= self.ndim)
if dim == 0:
return self.nnode
else:
return self.space.objects.array[dim - 1].boundary.shape[0]
def subobj_nbounds(self, dim, ind):
assert (dim >= 0) and (dim <= self.ndim)
assert (ind > 0) and (ind <= self.nobj(dim))
return len(self.subobj_bounds(dim, ind))
def subobj_bounds(self, dim, ind):
assert (dim >= 0) and (dim <= self.ndim)
assert (ind > 0) and (ind <= self.nobj(dim))
if dim == 0:
return ()
ilast = 0
for i in xrange(self.space.objects.array[dim - 1].boundary.shape[1]):
if self.space.objects.array[dim - 1].boundary[ind - 1, i] == GRID_UNDEFINED:
break
ilast += 1
return self.space.objects.array[dim - 1].boundary[ind - 1, 0:ilast]
def subobj_nneighbours(self, dim, ind):
'''Return number of neighbours for given object with dimension dim, index ind in this space.
Returns a list of integers, one integer for every boundary of the object, giving the number
of neighbour objects of same dimension on this boundary.'''
assert (dim >= 0) and (dim <= self.ndim)
assert (ind > 0) and (ind <= self.nobj(dim))
nbIndLists = self.subobj_neighbours(dim, ind)
nnb = [0,] * len(nbIndLists)
for i, list in enumerate(nbIndLists):
nnb[i] = len(list)
return nnb
def subobj_neighbours(self, dim, ind):
'''Return subobject indices of neighbours of given object with dimension dim, index ind in this space.
Returns a list of lists, one list for every boundary of the object, giving the subobject indices
of the neighbour objects of the same dimension.'''
assert (dim >= 0) and (dim <= self.ndim)
assert (ind > 0) and (ind <= self.nobj(dim))
if dim == 0:
return ()
nbIndLists= []
nBounds = self.subobj_nbounds(dim, ind)
for iBnd in xrange(nBounds):
# For every boundary, look up how many neighbours there are
ilast = 0
for iNb in xrange(self.space.objects.array[dim - 1].neighbour.shape[2]):
if self.space.objects.array[dim - 1].neighbour[ind - 1, iBnd, iNb] == GRID_UNDEFINED:
break
ilast += 1
if ilast:
# If boundaries were found, add index list
nbIndLists.append(self.space.objects.array[dim - 1].neighbour[ind - 1, iBnd, 0:ilast+1])
else:
# Otherwise, add empty tuple
nbIndLists.append( () )
return nbIndLists
class Object():
[docs] def __init__(self, grid, cls, ind):
assert isinstance(grid, Grid)
[docs] assert grid.object_exists(cls, ind)
self._grid = grid
self._cls = tuple(cls)
self._ind = tuple(ind)
def __eq__(self, other):
return (self.cls == other.cls) and (self.ind == other.ind)
[docs]
def __ne__(self, other):
return (self.cls != other.cls) or (self.ind != other.ind)
[docs]
def __hash__(self):
return hash(self.cls + self.ind)
[docs]
@property
def grid(self):
return self._grid
[docs]
@property
def cls(self):
return self._cls
[docs]
@property
def ind(self):
return self._ind
[docs]
@property
def is_node(self):
return self.cls == ((0,) * len(self.cls))
[docs]
@property
def ndim(self):
return Grid.class_dim(self.cls)
[docs]
@property
def is_subobject(self):
'''Returns whether a grid object is a subgrid object.
[docs]
This means the geometry of the object is fully described in one space (where it is stored explicitly,
and no implicit combination with other spaces is required to deduce it's shape). This can be seen
easily checking whether the object class tuple has only one non-zero index.
By definition, nodes (0d objects) are never subobjects.'''
return Grid.is_subobject_class(self._cls)
@property
def global_ind(self):
'''Return the global index of this object.
[docs]
The global index is a scalar integer identifying the object uniquely within all
objects of its class.'''
ind = self.ind[0]
s = self.grid.space(0).nobj(self.cls[0])
for isp in range(1, self.grid.nspace):
ind += s * (self.ind[isp] - 1)
s *= self.grid.space(isp).nobj(self.cls[isp])
return ind
@property
def nbounds(self):
'''Return number of boundaries of this object in every space.'''
[docs] b = []
for i in xrange(self.grid.nspace):
b.append(self.grid.space(i).subobj_nbounds(self.cls[i], self.ind[i]))
return b
@property
def composing_objs(self):
[docs] if self.is_node:
return [self]
cobjs = list()
for isp, s in enumerate(self.grid.spaces):
for bnd in s.subobj_bounds(self.cls[isp], self.ind[isp]):
ncls = array.array('i', self.cls)
nind = array.array('i', self.ind)
ncls[isp] -= 1
nind[isp] = bnd
o = Object(self.grid, ncls, nind)
cobjs.append(o)
return cobjs
@property
def neighbour_lists(self):
'''Return all neighbours of the object, one list of neighbours per composing object.'''
[docs]
nbLists = list()
# We enumerate the neighbours space by space
for isp, s in enumerate(self.grid.spaces):
spaceNbLists = s.subobj_neighbours(self.cls[isp], self.ind[isp])
#print "Space ", isp, spaceNbLists
# look at neighbour lists on all boundaries
for spaceNbList in spaceNbLists:
nbList = list()
for spaceNb in spaceNbList:
nbcls = array.array('i', self.cls)
nbind = array.array('i', self.ind)
nbind[isp] = spaceNb
o = Object(self.grid, nbcls, nbind)
nbList.append(o)
nbLists.append(nbList)
return nbLists
@property
def neighbours(self):
'''Return list of all neighbours of the object.'''
[docs] nbLists = self.neighbour_lists
nbs = list()
for l in nbLists:
nbs.extend(l)
return nbs
@property
def nodes(self):
nodes = set()
[docs] if self.is_node:
nodes.add(self)
else:
for o in self.composing_objs:
nodes |= set(o.nodes)
return nodes
@property
def nodes_coord(self):
'''Return coordinates of all nodes connected to this object.
[docs]
Format of the result is the same as for Grid.nodes_coord.'''
return self.grid.nodes_coord(self.nodes)
def __str__(self):
# Efficient String Concatenation in Python: http://skymind.com/~ocrow/python_string/
[docs] str_list = ["( ( "]
for num in xrange(len(self.cls)):
str_list.append(`self.cls[num]`)
str_list.append(" ")
str_list.append(") ( ")
for num in xrange(len(self.ind)):
str_list.append(`self.ind[num]`)
str_list.append(" ")
str_list.append(") )")
return ''.join(str_list)
class IndexSet():
[docs] # __cg_indset holds the encapsulated complexgrid_indexset data structure
def __init__(self, grid, cls, desc=None):
assert isinstance(grid, Grid)
[docs] assert grid.class_exists(cls)
if desc is not None:
assert len(desc) == len(cls)
self._grid = grid
self._cls = tuple(cls)
self._ind = [None] * grid.nspace
if desc is not None:
for i, d in enumerate(desc):
self.set_index(i, d)
@staticmethod
def from_complexgrid_indexset(grid, cls, cg_indset):
indset = IndexSet(grid, cls)
[docs] indset._cg_indset = cg_indset
for i, index in enumerate(cg_indset):
# translate index
if (index.ind):
# explicit list of indices
indset.set_index(i, list(index.ind))
else:
if (not index.range.any()):
# undefined index
indset.set_index(i, GRID_UNDEFINED)
else:
# index range
indset.set_index(i, tuple(index.range))
return indset
@property
def cls(self):
return self._cls
[docs]
@property
def nspace(self):
return self._grid.nspace
[docs]
def __len__(self):
'''Returns the number of indices in the index set.
[docs]
This is effectively a generalized version of Grid.nobj.'''
objcount = 1
for isp in xrange(self.nspace):
lind = len(self._ind[isp])
objcount = objcount * lind
return objcount
def __getitem__(self, setLocalInd):
'''Returns the object index corresponding to the local index ind of the index set.
[docs] The inverse of this is the index method.'''
# This is effectively a generalized version of Grid.get_obj_by_global_index.
# Note that here first an offset index tuple is computed, and that these
# indices are zero-based.
if (setLocalInd < 0) or (setLocalInd >= len(self)):
raise IndexError()
oc = []
for isp in xrange(self.nspace):
oc.append(len(self._ind[isp]))
# Compute set-local index tuple
irem = setLocalInd
setInd = []
for isp in xrange(self.nspace - 1, 0, -1):
s = reduce(mul, oc[0:isp])
tind = (irem / s)
irem = irem - tind * s
setInd.append(tind)
setInd.append(irem)
setInd.reverse()
# Convert to grid-global index tuple
gridInd = []
for isp, li in enumerate(setInd):
gridInd.append(self._ind[isp][li])
return tuple(gridInd)
def __contains__(self, ind):
test = True
[docs] for isp, indrange in enumerate(self._ind):
test = test and (ind[isp] in indrange)
return test
def index(self, ind):
'''Return the position of the given index tuple ind in this IndexSet (0-based).
[docs] Raises ValueError if ind is not in indexset (c.f. list.index).'''
# A.k.a.: get set-local index for a given index tuple
assert len(ind) == len(self._ind)
# Convert the local indices into the global index.
# This is very similar to Object.global_ind
#index = localInds[0]
index = self._ind[0].index(ind[0])
s = len(self._ind[0])
for isp in range(1, len(ind)):
index += s * (self._ind[isp].index(ind[isp]))
s *= len(self._ind[isp])
return index
def get_index(self, ind):
'''Return the index set for the given space as a sequence object'''
[docs] if (ind < 0) or (ind >= self.nspace):
raise IndexError()
return self._ind[ind]
def set_index(self, ind, value):
if (ind < 0) or (ind >= self.nspace):
[docs] raise IndexError()
if value is None:
# Do the same for None as for GRID_UNDEFINED
self._ind[ind] = IndexRange(1, self._grid.space(ind).nobj(self._cls[ind]))
elif isinstance(value, int):
if value == GRID_UNDEFINED:
self._ind[ind] = IndexRange(1, self._grid.space(ind).nobj(self._cls[ind]))
else:
assert (value > 0) and (value <= self._grid.space(ind).nobj(self.cls[ind]))
self._ind[ind] = [value]
elif isinstance(value, tuple):
assert len(value) == 2
for i in xrange(2):
assert (value[i] > i) and (value[i] <= self._grid.space(ind).nobj(self.cls[ind]))
self._ind[ind] = IndexRange(value[0], value[1])
elif isinstance(value, list):
self._ind[ind] = value
else:
raise ValueError("Argument value has illegal type (only int, list or tuple allowed)")
class IndexRange():
def __init__(self, iStart, iEnd):
assert iEnd >= iStart
# FIXME: conversion to int because typically passed an int32 from Numpy
# If __len__ is then called on this object in enumerators, Python expects an int result.
self.iStart = int(iStart)
self.iEnd = int(iEnd)
@staticmethod
def from_complexgrid_indexsetObj():
# TODO: convert or encapsulate complexgrid_indexlistObj
return
def __len__(self):
return self.iEnd - self.iStart + 1
def __getitem__(self, key):
if (key < 0) or (key >= len(self)):
raise IndexError()
return self.iStart + key
def __contains__(self, obj):
assert isinstance(obj, int)
return (obj >= self.iStart) and (obj <= self.iEnd)
def index(self, ind):
'''Return index of the given index value ind in this index range. Raises ValueError if index
is not in range. (C.f. list.index.)'''
if ind not in self: raise ValueError()
return ind - self.iStart
class ExplicitObjectList():
# __grid holds the parent Grid object
# __objs holds the objects as instances of Object
# __cg_olist holds the complexgrid_objectlist object this object encapsulates
def __init__(self, objs):
assert len(objs) > 0
for o in objs:
assert isinstance(o, Object), "ExplicitObjectList: only support grid objects"
assert o.cls == tuple(objs[0].cls), "ExplicitObjectList: objects must be of same class"
assert o.grid == objs[0].grid, "ExplicitObjectList: objects must be from same grid"
# TODO: test object uniqueness?
# TODO: create empty complexlist_objectlist object to be filled...
self._objs = list(objs)
@staticmethod
def from_indices(grid, cls, inds):
assert grid.class_exists(cls)
objs = list()
for i in inds:
objs.append(grid.get_obj(cls, i))
return ExplicitObjectList(objs)
@staticmethod
def from_complexgrid_objectlist(grid, cg_olist):
objlist = ExplicitObjectList.from_indices(grid, cg_olist.cls, cg_olist.ind)
objlist._cg_olist = cg_olist
return objlist
def __len__(self):
return len(self._objs)
def __eq__(self, other):
return (self.cls == other.cls) and (self._objs == other._objs)
def __getitem__(self, key):
if (key < 0) or (key >= len(self)):
raise IndexError()
return self._objs[key]
def __contains__(self, obj):
if not isinstance(obj, Object):
return False
if not (obj.cls == self._cls):
return False
return obj in self._objs
def index(self, obj):
'''Returns index of the given object in the list (0-based).
Raises ValueError if object not present (c.f. list.index).'''
return self._objs.index(obj)
def append(self, obj):
assert isinstance(obj, Object)
assert obj.cls == self.cls
assert obj not in self
self._objs.append(obj)
def extend(self, objs):
for o in objs:
self.append(o)
@property
def grid(self):
return self._objs[0].grid
@property
def cls(self):
return self._objs[0].cls
class ImplicitObjectList():
# __grid holds the parent Grid object
# __indset holds the index sets defining this implicit list
# __cg_olist holds the encapsulated complexgrid_objectlist data structure object
def __init__(self, grid, cls, indexSetDesc=None):
assert isinstance(grid, Grid)
assert grid.class_exists(cls)
self._grid = grid
if indexSetDesc is None:
self._indset = IndexSet(grid, cls, (0,) * grid.nspace)
else:
self._indset = IndexSet(grid, cls, indexSetDesc)
@staticmethod
def from_complexgrid_objectlist(grid, cg_olist):
objlist = ImplicitObjectList(grid, cg_olist.cls)
objlist._cg_olist = cg_olist
objlist._indset = IndexSet.from_complexgrid_indexset(grid, cg_olist.cls, cg_olist.indset.array)
return objlist
def __len__(self):
return len(self._indset)
def __eq__(self, other):
return (self._indset == other._indset) and (self._grid == other._grid) \
and (self._cls == other._cls)
def __getitem__(self, key):
if (key < 0) or (key >= len(self)):
raise IndexError()
return self._grid.get_obj(self.cls, self._indset[key])
def __contains__(self, obj):
if not (obj.cls == self.cls):
return False
return obj.ind in self._indset
def index(self, obj):
'''Returns index of the given object in the list (0-based).
Raises ValueError if object not present (c.f. list.index).'''
if not (obj.cls == self.cls):
raise ValueError()
return self._indset.index(obj.ind)
@property
def grid(self):
return self._grid
@property
def cls(self):
return self._indset.cls
class SubGrid():
[docs] # _grid is the parent Grid object
# _subgrid is the complexgrid_subgrid data structure this object works on
# _objlists are the ObjectList objects
def __init__(self, grid, subgridIndex = None):
'''Create an empty subgrid.'''
[docs] self._grid = grid
self._objlists = list()
self._sgIndex = subgridIndex
# TODO: initialize an empty complexgrid_subgrid object in __subgrid
# to be filled by (not-yet-existing) write function
@staticmethod
def from_complexgrid_subgrid(grid, complexgrid_subgrid, sgIndex = None):
subgrid = SubGrid(grid, sgIndex)
[docs] subgrid._subgrid = complexgrid_subgrid
# Create appropriate object list objects
for list in subgrid._subgrid.list.array:
# Explicit index list given?
if len(list.ind) > 0:
# Yes -> explicit object list
subgrid._objlists.\
append(ExplicitObjectList.\
from_complexgrid_objectlist(grid, list))
else:
# no -> implicit object list
subgrid._objlists.\
append(ImplicitObjectList.\
from_complexgrid_objectlist(grid, list))
return subgrid
@staticmethod
def for_class(grid, cls):
subgrid = SubGrid(grid)
[docs] subgrid.add_class(cls)
return subgrid
@staticmethod
def for_objects(objs):
subgrid = SubGrid(objs[0].grid)
[docs] subgrid.add_objects(objs)
return subgrid
def __len__(self):
tlen = 0
[docs] for l in self._objlists:
tlen += len(l)
return tlen
def __getitem__(self, key):
if (key < 0) or (key >= len(self)):
[docs] raise IndexError()
offset = 0
for l in self._objlists:
llist = len(l)
if offset <= key < offset + llist:
return l[key - offset]
offset = offset + llist
# should never reach this
assert False, "SubGrid.__getitem__: something is wrong"
@property
def grid(self):
return self._grid
[docs]
@property
def subgrid_index(self):
'''Return the subgrid index for this subgrid, which is used to assocate data fields in CPOs with
[docs] specific subgrids. It is possible that no subgrid index was set, in this case None is returned.'''
return self._sgIndex
@property
def id(self):
return self._subgrid.id
[docs]
@property
def ndim(self):
#assert self._objlists, "SubGrid.ndim: subgrid still empty"
[docs] if self._objlists:
return Grid.class_dim(self._objlists[0].cls)
else:
return None
def contains(self, obj):
'''Checks whether the subgrid contains the given object.'''
[docs] pass
def contains_class(self, cls):
'''Checks whether the subgrid contains all objects of the given class.'''
[docs] pass
def index(self, obj):
'''Returns index of the given object in the subgrid (0-based, i.e. the
[docs] first object has index 0). Raises ValueError if object not present.
(Tries to behave like list.index).'''
# We loop over the object lists and look up the local index in every list,
# using the index method implemented for the lists
ind = 0
for l in self._objlists:
try:
lind = l.index(obj)
except ValueError:
lind = None
if lind is not None:
return ind + lind
ind = ind + len(l)
raise ValueError()
def class_indices(self, cls):
'''Returns the indices of all objects of the given class in the subgrid.'''
[docs] pass
#===========================================================================
# @property
# def measure(self):
# '''Return vector of measure values for this subgrid, if available.
#
# If no measures are available, returns None.'''
# measure = numpy.zeros(len(self))
# for iObj, obj in enumerate(self):
# m = self.grid.measure(obj)
# if m is None:
# return None
# else:
# measure[iObj] = m
#===========================================================================
def add_objects(self, objs):
# Don't add empty lists
[docs] if (not objs): return
objlist = ExplicitObjectList(objs)
assert self.grid == objlist.grid
if self.ndim is not None:
assert Grid.class_dim(objlist.cls) == self.ndim, \
"SubGrid.add_objects: dimension of objects in subgrid must correspond"
self._objlists.append(objlist)
def add_class(self, cls, indexset_desc=None):
assert self.grid.class_exists(cls)
[docs] if self.ndim is not None:
assert Grid.class_dim(cls) == self.ndim, \
"SubGrid.add_class: dimension of objects in subgrid must correspond"
self._objlists.append(ImplicitObjectList(self.grid, cls, indexset_desc))