importjsonimportosfromcopyimportdeepcopyimportnumpyasnpfrom..importresolvers,utilfrom..baseimportTrimeshfrom..exceptionsimportExceptionWrapperfrom..parentimportGeometry,LoadSourcefrom..pointsimportPointCloudfrom..scene.sceneimportScene,append_scenesfrom..typedimportDict,Loadable,Optional,Setfrom..utilimportlogfrom.importmiscfrom.binvoximport_binvox_loadersfrom.cascadeimport_cascade_loadersfrom.daeimport_collada_loadersfrom.gltfimport_gltf_loadersfrom.miscimport_misc_loadersfrom.objimport_obj_loadersfrom.offimport_off_loadersfrom.plyimport_ply_loadersfrom.stlimport_stl_loadersfrom.threedxmlimport_threedxml_loadersfrom.threemfimport_three_loadersfrom.xamlimport_xaml_loadersfrom.xyzimport_xyz_loaderstry:from..path.exchange.loadimportload_path,path_formatsexceptBaseExceptionasE:# save a traceback to see why path didn't importload_path=ExceptionWrapper(E)# no path formats availabledefpath_formats()->set:returnset()defmesh_formats()->Set[str]:""" Get a list of mesh formats available to load. Returns ----------- loaders Extensions of available mesh loaders i.e. `{'stl', 'ply'}` """# filter out exceptionmodule loadersreturn{kfork,vinmesh_loaders.items()ifnotisinstance(v,ExceptionWrapper)}
[docs]defavailable_formats()->Set[str]:""" Get a list of all available loaders Returns ----------- loaders Extensions of all available loaders i.e. `{'stl', 'ply', 'dxf'}` """loaders=mesh_formats()loaders.update(path_formats())loaders.update(compressed_loaders.keys())returnloaders
[docs]defload(file_obj:Loadable,file_type:Optional[str]=None,resolver:Optional[resolvers.ResolverLike]=None,force:Optional[str]=None,allow_remote:bool=False,**kwargs,)->Geometry:""" THIS FUNCTION IS DEPRECATED but there are no current plans for it to be removed. For new code the typed load functions `trimesh.load_scene` or `trimesh.load_mesh` are recommended over `trimesh.load` which is a backwards-compatibility wrapper that mimics the behavior of the old function and can return any geometry type. Parameters ----------- file_obj : str, or file- like object The source of the data to be loadeded file_type: str What kind of file type do we have (eg: 'stl') resolver : trimesh.visual.Resolver Object to load referenced assets like materials and textures force : None or str For 'mesh': try to coerce scenes into a single mesh For 'scene': try to coerce everything into a scene allow_remote If True allow this load call to work on a remote URL. kwargs : dict Passed to geometry __init__ Returns --------- geometry : Trimesh, Path2D, Path3D, Scene Loaded geometry as trimesh classes """# call the most general loading case into a `Scene`.loaded=load_scene(file_obj=file_obj,file_type=file_type,resolver=resolver,allow_remote=allow_remote,**kwargs,)ifforce=="mesh":# new code should use `load_mesh` for thislog.debug("`trimesh.load(force='mesh')` is a compatibility wrapper for `trimesh.load_mesh`")returnloaded.to_mesh()elifforce=="scene":# new code should use `load_scene` for thislog.debug("`trimesh.load(force='scene')` is a compatibility wrapper for `trimesh.load_scene`")returnloaded############################################ we are matching old, deprecated behavior here!kind=loaded.source.file_typealways_scene={"glb","gltf","zip","3dxml","tar.gz"}ifkindnotinalways_sceneandlen(loaded.geometry)==1:geom=next(iter(loaded.geometry.values()))geom.metadata.update(loaded.metadata)ifisinstance(geom,PointCloud)orkindin{"obj","stl","ply","svg","binvox","xaml","dxf","off","msh",}:returngeomreturnloaded
[docs]defload_scene(file_obj:Loadable,file_type:Optional[str]=None,resolver:Optional[resolvers.ResolverLike]=None,allow_remote:bool=False,metadata:Optional[Dict]=None,**kwargs,)->Scene:""" Load geometry into the `trimesh.Scene` container. This may contain any `parent.Geometry` object, including `Trimesh`, `Path2D`, `Path3D`, or a `PointCloud`. Parameters ----------- file_obj : str, or file- like object The source of the data to be loadeded file_type: str What kind of file type do we have (eg: 'stl') resolver : trimesh.visual.Resolver Object to load referenced assets like materials and textures force : None or str For 'mesh': try to coerce scenes into a single mesh For 'scene': try to coerce everything into a scene allow_remote If True allow this load call to work on a remote URL. kwargs : dict Passed to geometry __init__ Returns --------- geometry : Trimesh, Path2D, Path3D, Scene Loaded geometry as trimesh classes """# parse all possible values of file objects into simple typesarg=_parse_file_args(file_obj=file_obj,file_type=file_type,resolver=resolver,allow_remote=allow_remote,)try:ifisinstance(file_obj,dict):# we've been passed a dictionary so treat them as keyword argumentsloaded=_load_kwargs(file_obj)elifarg.file_typeinpath_formats():# use path loaderloaded=load_path(file_obj=arg.file_obj,file_type=arg.file_type,metadata=metadata,**kwargs,)elifarg.file_typeinmesh_loaders:# use mesh loaderparsed=deepcopy(kwargs)parsed.update(mesh_loaders[arg.file_type](file_obj=arg.file_obj,file_type=arg.file_type,resolver=arg.resolver,metadata=metadata,**kwargs,))loaded=_load_kwargs(**parsed)elifarg.file_typeincompressed_loaders:# for archives, like ZIP filesloaded=_load_compressed(arg.file_obj,file_type=arg.file_type,**kwargs)elifarg.file_typeinvoxel_loaders:loaded=voxel_loaders[arg.file_type](file_obj=arg.file_obj,file_type=arg.file_type,resolver=arg.resolver,**kwargs,)else:raiseNotImplementedError(f"file_type '{arg.file_type}' not supported")finally:# if we opened the file ourselves from a file name# close any opened files even if we crashed outifarg.was_opened:arg.file_obj.close()ifnotisinstance(loaded,Scene):# file name may be used for nodesloaded._source=argloaded=Scene(loaded)# add on the loading informationloaded._source=argforginloaded.geometry.values():g._source=argreturnloaded
[docs]defload_mesh(*args,**kwargs)->Trimesh:""" Load a file into a Trimesh object. Parameters ----------- file_obj : str or file object File name or file with mesh data file_type : str or None Which file type, e.g. 'stl' kwargs : dict Passed to Trimesh constructor Returns ---------- mesh Loaded geometry data. """returnload_scene(*args,**kwargs).to_mesh()
def_load_compressed(file_obj,file_type=None,resolver=None,mixed=False,**kwargs):""" Given a compressed archive load all the geometry that we can from it. Parameters ---------- file_obj : open file-like object Containing compressed data file_type : str Type of the archive file mixed : bool If False, for archives containing both 2D and 3D data will only load the 3D data into the Scene. Returns ---------- scene : trimesh.Scene Geometry loaded in to a Scene object """# parse the file arguments into clean loadable formarg=_parse_file_args(file_obj=file_obj,file_type=file_type,resolver=resolver)# store loaded geometries as a listgeometries=[]# so loaders can access textures/etcarchive=util.decompress(file_obj=arg.file_obj,file_type=arg.file_type)resolver=resolvers.ZipResolver(archive)# try to save the files with meaningful metadata# archive_name = arg.file_path or "archive"meta_archive={}# populate our available formatsifmixed:available=available_formats()else:# all types contained in ZIP archivecontains={util.split_extension(n).lower()forninresolver.keys()}# if there are no mesh formats availableifcontains.isdisjoint(mesh_formats()):available=path_formats()else:available=mesh_formats()forfile_name,file_objinarchive.items():try:# only load formats that we supportcompressed_type=util.split_extension(file_name).lower()# if file has metadata type include itifcompressed_typein("yaml","yml"):importyamlcontinuemeta_archive[file_name]=yaml.safe_load(file_obj)elifcompressed_type=="json":importjsonmeta_archive[file_name]=json.load(file_obj)continueelifcompressed_typenotinavailable:# don't raise an exception, just try the next onecontinue# load the individual geometrygeometries.append(load_scene(file_obj=file_obj,file_type=compressed_type,resolver=resolver,**kwargs,))exceptBaseException:log.debug("failed to load file in zip",exc_info=True)# if we opened the file in this function# clean up after ourselvesifarg.was_opened:arg.file_obj.close()# append meshes or scenes into a single Scene objectresult=append_scenes(geometries)# append any archive metadata filesifisinstance(result,Scene):result.metadata.update(meta_archive)returnresult
[docs]defload_remote(url:str,**kwargs)->Scene:""" Load a mesh at a remote URL into a local trimesh object. This is a thin wrapper around: `trimesh.load_scene(file_obj=url, allow_remote=True, **kwargs)` Parameters ------------ url URL containing mesh file **kwargs Passed to `load_scene` Returns ------------ loaded : Trimesh, Path, Scene Loaded result """returnload_scene(file_obj=url,allow_remote=True,**kwargs)
def_load_kwargs(*args,**kwargs)->Geometry:""" Load geometry from a properly formatted dict or kwargs """defhandle_scene()->Scene:""" Load a scene from our kwargs. class: Scene geometry: dict, name: Trimesh kwargs graph: list of dict, kwargs for scene.graph.update base_frame: str, base frame of graph """graph=kwargs.get("graph",None)geometry={k:_load_kwargs(v)fork,vinkwargs["geometry"].items()}ifgraphisnotNone:scene=Scene()scene.geometry.update(geometry)forkingraph:ifisinstance(k,dict):scene.graph.update(**k)elifutil.is_sequence(k)andlen(k)==3:scene.graph.update(k[1],k[0],**k[2])else:scene=Scene(geometry)# camera, if it existscamera=kwargs.get("camera")ifcamera:scene.camera=camerascene.camera_transform=kwargs.get("camera_transform")if"base_frame"inkwargs:scene.graph.base_frame=kwargs["base_frame"]metadata=kwargs.get("metadata")ifisinstance(metadata,dict):scene.metadata.update(kwargs["metadata"])elifisinstance(metadata,str):# some ways someone might have encoded a string# note that these aren't evaluated until we# actually call the lambda in the loopcandidates=[lambda:json.loads(metadata),lambda:json.loads(metadata.replace("'",'"')),]forcincandidates:try:scene.metadata.update(c())breakexceptBaseException:passelifmetadataisnotNone:log.warning("unloadable metadata")returnscenedefhandle_mesh()->Trimesh:""" Handle the keyword arguments for a Trimesh object """# if they've been serialized as a dictifisinstance(kwargs["vertices"],dict)orisinstance(kwargs["faces"],dict):returnTrimesh(**misc.load_dict(kwargs))# otherwise just load that puppyreturnTrimesh(**kwargs)defhandle_export():""" Handle an exported mesh. """data,file_type=kwargs["data"],kwargs["file_type"]ifisinstance(data,dict):return_load_kwargs(data)eliffile_typeinmesh_loaders:returnTrimesh(**mesh_loaders[file_type](data,file_type=file_type))raiseNotImplementedError(f"`{file_type}` is not supported")defhandle_path():from..pathimportPath2D,Path3Dshape=np.shape(kwargs["vertices"])iflen(shape)<2:returnPath2D()ifshape[1]==2:returnPath2D(**kwargs)elifshape[1]==3:returnPath3D(**kwargs)else:raiseValueError("Vertices must be 2D or 3D!")defhandle_pointcloud():returnPointCloud(**kwargs)# if we've been passed a single dict instead of kwargs# substitute the dict for kwargsiflen(kwargs)==0andlen(args)==1andisinstance(args[0],dict):kwargs=args[0]# (function, tuple of expected keys)# order is importanthandlers=((handle_scene,("geometry",)),(handle_mesh,("vertices","faces")),(handle_path,("entities","vertices")),(handle_pointcloud,("vertices",)),(handle_export,("file_type","data")),)# filter out keys with a value of Nonekwargs={k:vfork,vinkwargs.items()ifvisnotNone}# loop through handler functions and expected keyforfunc,expectedinhandlers:ifall(iinkwargsforiinexpected):# all expected kwargs existreturnfunc()raiseValueError(f"unable to determine type: {kwargs.keys()}")def_parse_file_args(file_obj,file_type:Optional[str],resolver:Optional[resolvers.ResolverLike]=None,allow_remote:bool=False,**kwargs,)->LoadSource:""" Given a file_obj and a file_type try to magically convert arguments to a file-like object and a lowercase string of file type. Parameters ----------- file_obj : str if string represents a file path, returns: file_obj: an 'rb' opened file object of the path file_type: the extension from the file path if string is NOT a path, but has JSON-like special characters: file_obj: the same string passed as file_obj file_type: set to 'json' if string is a valid-looking URL file_obj: an open 'rb' file object with retrieved data file_type: from the extension if string is none of those: raise ValueError as we can't do anything with input if file like object: ValueError will be raised if file_type is None file_obj: same as input file_type: same as input if other object: like a shapely.geometry.Polygon, etc: file_obj: same as input file_type: if None initially, set to the class name (in lower case), otherwise passed through file_type : str type of file and handled according to above Returns ----------- args Populated `_FileArg` message """# try to save a file path from various inputsfile_path=None# keep track if we opened a file ourselves and thus are# responsible for closing it at the end of loadingwas_opened=Falseifutil.is_pathlib(file_obj):# convert pathlib objects to stringfile_obj=str(file_obj.absolute())ifutil.is_file(file_obj)andfile_typeisNone:raiseValueError("`file_type` must be set for file objects!")ifisinstance(file_obj,str):try:# clean up file path to an absolute locationfile_path=os.path.abspath(os.path.expanduser(file_obj))# check to see if this path existsexists=os.path.isfile(file_path)exceptBaseException:exists=Falsefile_path=None# file obj is a string which exists on filesystmifexists:# if not passed create a resolver to find other filesifresolverisNone:resolver=resolvers.FilePathResolver(file_path)# save the file name and path to metadata# if file_obj is a path that exists use extension as file_typeiffile_typeisNone:file_type=util.split_extension(file_path,special=["tar.gz","tar.bz2"])# actually open the filefile_obj=open(file_path,"rb")# save that we opened it so we can cleanup laterwas_opened=Trueelse:if"{"infile_obj:# if a bracket is in the string it's probably straight JSONfile_type="json"file_obj=util.wrap_as_stream(file_obj)elif"https://"infile_objor"http://"infile_obj:ifnotallow_remote:raiseValueError("unable to load URL with `allow_remote=False`")importurllib# remove the url-safe encoding and query paramsfile_type=util.split_extension(urllib.parse.unquote(file_obj).split("?",1)[0].split("/")[-1].strip())# create a web resolver to do the fetching and whatnotresolver=resolvers.WebResolver(url=file_obj)# fetch the base filefile_obj=util.wrap_as_stream(resolver.get_base())eliffile_typeisNone:raiseValueError(f"string is not a file: `{file_obj}`")ifisinstance(file_type,str)and"."infile_type:# if someone has passed the whole filename as the file_type# use the file extension as the file_typepath=os.path.abspath(os.path.expanduser(file_type))file_type=util.split_extension(file_type)ifos.path.exists(path):file_path=pathifresolverisNone:resolver=resolvers.FilePathResolver(file_path)# all our stored extensions reference in lower caseiffile_typeisnotNone:file_type=file_type.lower()# if we still have no resolver try using file_obj nameif(resolverisNoneandhasattr(file_obj,"name")andfile_obj.nameisnotNoneandlen(file_obj.name)>0):resolver=resolvers.FilePathResolver(file_obj.name)returnLoadSource(file_obj=file_obj,file_type=file_type,file_path=file_path,was_opened=was_opened,resolver=resolver,)# loader functions for compressed extensionscompressed_loaders={"zip":_load_compressed,"tar.bz2":_load_compressed,"tar.gz":_load_compressed,"bz2":_load_compressed,}# map file_type to loader functionmesh_loaders={}mesh_loaders.update(_misc_loaders)mesh_loaders.update(_stl_loaders)mesh_loaders.update(_ply_loaders)mesh_loaders.update(_obj_loaders)mesh_loaders.update(_off_loaders)mesh_loaders.update(_collada_loaders)mesh_loaders.update(_gltf_loaders)mesh_loaders.update(_xaml_loaders)mesh_loaders.update(_threedxml_loaders)mesh_loaders.update(_three_loaders)mesh_loaders.update(_xyz_loaders)mesh_loaders.update(_cascade_loaders)# collect loaders which return voxel typesvoxel_loaders={}voxel_loaders.update(_binvox_loaders)