"""parent.py-------------The base class for Trimesh, PointCloud, and Scene objects"""importabcimportosfromdataclassesimportdataclassimportnumpyasnpfrom.importbounds,cachingfrom.importtransformationsastffrom.cachingimportcache_decoratorfrom.constantsimporttolfrom.resolversimportResolverLikefrom.typedimportAny,ArrayLike,Dict,NDArray,Optional,float64from.utilimportABC@dataclassclassLoadSource:""" Save information about where a particular object was loaded from. """# a file-like object that can be accessedfile_obj:Optional[Any]=None# a cleaned file type string, i.e. "stl"file_type:Optional[str]=None# if this was originally loaded from a file path# save it here so we can check it later.file_path:Optional[str]=None# did we open `file_obj` ourselves?was_opened:bool=False# a resolver for loading assets next to the fileresolver:Optional[ResolverLike]=None@propertydeffile_name(self)->Optional[str]:""" Get just the file name from the path if available. Returns --------- file_name Just the file name, i.e. for file_path="/a/b/c.stl" -> "c.stl" """ifself.file_pathisNone:returnNonereturnos.path.basename(self.file_path)def__getstate__(self)->Dict:# this overrides the `pickle.dump` behavior for this class# we cannot pickle a file object so return `file_obj: None` for picklesreturn{k:vifk!="file_obj"elseNonefork,vinself.__dict__.items()}def__deepcopy__(self,*args):returnLoadSource(**self.__getstate__())
[docs]classGeometry(ABC):""" `Geometry` is the parent class for all geometry. By decorating a method with `abc.abstractmethod` it means the objects that inherit from `Geometry` MUST implement those methods. """# geometry should have a dict to store loose metadatametadata:Dict@propertydefsource(self)->LoadSource:""" Where and what was this current geometry loaded from? Returns -------- source If loaded from a file, has the path, type, etc. """# this should have been tacked on by the loader# but we want to *always* be able to access# a value like `mesh.source.file_type` so add a defaultcurrent=getattr(self,"_source",None)ifcurrentisnotNone:returncurrentself._source=LoadSource()returnself._source@property@abc.abstractmethoddefbounds(self)->NDArray[np.float64]:pass@property@abc.abstractmethoddefextents(self)->NDArray[np.float64]:pass
[docs]def__hash__(self):""" Get a hash of the current geometry. Returns --------- hash Hash of current graph and geometry. """returnself._data.__hash__()# type: ignore
[docs]def__repr__(self)->str:""" Print quick summary of the current geometry without computing properties. Returns ----------- repr : str Human readable quick look at the geometry. """elements=[]ifhasattr(self,"vertices"):# for Trimesh and PointCloudelements.append(f"vertices.shape={self.vertices.shape}")ifhasattr(self,"faces"):# for Trimeshelements.append(f"faces.shape={self.faces.shape}")ifhasattr(self,"geometry")andisinstance(self.geometry,dict):# for Sceneelements.append(f"len(geometry)={len(self.geometry)}")if"Voxel"intype(self).__name__:# for VoxelGrid objectselements.append(str(self.shape)[1:-1])if"file_name"inself.metadata:display=self.metadata["file_name"]elements.append(f"name=`{display}`")return"<trimesh.{}({})>".format(type(self).__name__,", ".join(elements))
[docs]defapply_translation(self,translation:ArrayLike):""" Translate the current mesh. Parameters ---------- translation : (3,) float Translation in XYZ """translation=np.asanyarray(translation,dtype=np.float64)iftranslation.shape==(2,):# create a planar matrix if we were passed a 2D offsetreturnself.apply_transform(tf.planar_matrix(offset=translation))eliftranslation.shape!=(3,):raiseValueError("Translation must be (3,) or (2,)!")# manually create a translation matrixmatrix=np.eye(4)matrix[:3,3]=translationreturnself.apply_transform(matrix)
[docs]defapply_scale(self,scaling):""" Scale the mesh. Parameters ---------- scaling : float or (3,) float Scale factor to apply to the mesh """matrix=tf.scale_and_translate(scale=scaling)# apply_transform will work nicely even on negative scalesreturnself.apply_transform(matrix)
[docs]def__radd__(self,other):""" Concatenate the geometry allowing concatenation with built in `sum()` function: `sum(Iterable[trimesh.Trimesh])` Parameters ------------ other : Geometry Geometry or 0 Returns ---------- concat : Geometry Geometry of combined result """ifother==0:# adding 0 to a geometry never makes sensereturnself# otherwise just use the regular add functionreturnself.__add__(type(self)(other))
@cache_decoratordefscale(self)->float:""" A loosely specified "order of magnitude scale" for the geometry which always returns a value and can be used to make code more robust to large scaling differences. It returns the diagonal of the axis aligned bounding box or if anything is invalid or undefined, `1.0`. Returns ---------- scale : float Approximate order of magnitude scale of the geometry. """# if geometry is empty return 1.0ifself.extentsisNone:return1.0# get the length of the AABB diagonalscale=float((self.extents**2).sum()**0.5)ifscale<tol.zero:return1.0returnscale@propertydefunits(self)->Optional[str]:""" Definition of units for the mesh. Returns ---------- units : str Unit system mesh is in, or None if not defined """returnself.metadata.get("units",None)@units.setterdefunits(self,value:str)->None:""" Define the units of the current mesh. """self.metadata["units"]=str(value).lower().strip()
classGeometry3D(Geometry):""" The `Geometry3D` object is the parent object of geometry objects which are three dimensional, including Trimesh, PointCloud, and Scene objects. """@caching.cache_decoratordefbounding_box(self):""" An axis aligned bounding box for the current mesh. Returns ---------- aabb : trimesh.primitives.Box Box object with transform and extents defined representing the axis aligned bounding box of the mesh """from.importprimitivestransform=np.eye(4)# translate to center of axis aligned boundstransform[:3,3]=self.bounds.mean(axis=0)returnprimitives.Box(transform=transform,extents=self.extents,mutable=False)@caching.cache_decoratordefbounding_box_oriented(self):""" An oriented bounding box for the current mesh. Returns --------- obb : trimesh.primitives.Box Box object with transform and extents defined representing the minimum volume oriented bounding box of the mesh """from.importbounds,primitivesto_origin,extents=bounds.oriented_bounds(self)returnprimitives.Box(transform=np.linalg.inv(to_origin),extents=extents,mutable=False)@caching.cache_decoratordefbounding_sphere(self):""" A minimum volume bounding sphere for the current mesh. Note that the Sphere primitive returned has an unpadded exact `sphere_radius` so while the distance of every vertex of the current mesh from sphere_center will be less than sphere_radius, the faceted sphere primitive may not contain every vertex. Returns -------- minball : trimesh.primitives.Sphere Sphere primitive containing current mesh """from.importnsphere,primitivescenter,radius=nsphere.minimum_nsphere(self)returnprimitives.Sphere(center=center,radius=radius,mutable=False)@caching.cache_decoratordefbounding_cylinder(self):""" A minimum volume bounding cylinder for the current mesh. Returns -------- mincyl : trimesh.primitives.Cylinder Cylinder primitive containing current mesh """from.importbounds,primitiveskwargs=bounds.minimum_cylinder(self)returnprimitives.Cylinder(mutable=False,**kwargs)@caching.cache_decoratordefbounding_primitive(self):""" The minimum volume primitive (box, sphere, or cylinder) that bounds the mesh. Returns --------- bounding_primitive : object Smallest primitive which bounds the mesh: trimesh.primitives.Sphere trimesh.primitives.Box trimesh.primitives.Cylinder """options=[self.bounding_box_oriented,self.bounding_sphere,self.bounding_cylinder,]volume_min=np.argmin([i.volumeforiinoptions])returnoptions[volume_min]defapply_obb(self,**kwargs)->NDArray[float64]:""" Apply the oriented bounding box transform to the current mesh. This will result in a mesh with an AABB centered at the origin and the same dimensions as the OBB. Parameters ------------ kwargs Passed through to `bounds.oriented_bounds` Returns ---------- matrix : (4, 4) float Transformation matrix that was applied to mesh to move it into OBB frame """# save the pre-transform volumeiftol.strictandhasattr(self,"volume"):volume=self.volume# calculate the OBB passing keyword arguments throughmatrix,extents=bounds.oriented_bounds(self,**kwargs)# apply the transformself.apply_transform(matrix)iftol.strict:# obb transform should not have changed volumeifhasattr(self,"volume")andgetattr(self,"is_watertight",False):assertnp.isclose(self.volume,volume)# overall extents should match what we expectedassertnp.allclose(self.extents,extents)returnmatrix