[docs]classAsset:""" Holds information about a generated asset. :ivar id: An MD5 hash of the asset's filename, prefixed with "__ID__". Since a unique suffix is included in the filename, this ID hash is also unique. Can be used to quickly find this Asset instance. :ivar Path infofile: Absolute path to the ``*.assetinfo`` file :ivar Path assetfile: Absolute path to the actual asset file :ivar omegaconf.DictConfig context: The content of *infofile* parsed into a OmegaConf dict. """def__init__(self,info_file:Path):assertinfo_file.suffix==".assetinfo"self.id:str="__ID__"+hashlib.md5(bytes(info_file.name,"utf-8")).hexdigest()self.infofile:Path=info_fileself.context=omegaconf.OmegaConf.create(json.loads(self.infofile.read_text()))forfileinself.infofile.parent.glob(f"{self.infofile.stem}*"):iffile.suffix!=".assetinfo":self.assetfile:Path=filebreakelse:msg=f"There is no asset for inventory file {self.infofile}!"raiseAssetFileLinkBrokenError(msg)def__str__(self):returnrepr(self)def__repr__(self):returnf"Asset[{self.infofile.stem}]"def__eq__(self,other):ifisinstance(other,Asset):returnself.id==other.idandself.infofile==other.infofileandself.assetfile==other.assetfileraiseNotImplementedErrordef__hash__(self):returnhash(self.infofile.name)def__lt__(self,other):ifisinstance(other,Asset):returnself.infofile<other.infofileraiseNotImplementedError
[docs]defcopy_to(self,target_dir:Path)->Path:""" Copy the asset plus info-file. :param target_dir: The target directory to copy to. Will be created if it does not exist. :returns: True if files were copied, False otherwise (files already exist) """target_dir.mkdir(exist_ok=True,parents=True)target_info_file=target_dir/self.infofile.nameiftarget_info_file.exists():returntarget_dir/self.assetfile.namelog.debug(f"Copying asset {self} to build directory")shutil.copy(self.infofile,target_info_file)ifPath(self.assetfile).is_file():returnPath(shutil.copy(self.assetfile,target_dir))ifPath(self.assetfile).is_dir():shutil.copytree(self.assetfile,target_dir/self.assetfile.name)returntarget_dir/self.assetfile.nameraiseNotImplementedError
[docs]defread_json(self)->dict:""" Reads the file using a JSON parser. """ifself.assetfile.suffix.lower()!=".json":msg="Can only read .json files!"raiseException(msg)returnjson.loads(self.assetfile.read_text("utf-8"))
[docs]defread_yaml(self)->dict:""" Reads the file using a YAML parser. """importyamlifself.assetfile.suffix.lower()notin(".yaml",".yml"):msg="Can only read .yaml/.yml files!"raiseException(msg)withopen(self.assetfile,encoding="utf-8")asfp:returnyaml.safe_load(fp)
[docs]defread_text(self,encoding:str="utf-8")->str:""" Reads the file as text """returnself.assetfile.read_text(encoding)
[docs]defread_bytes(self)->bytes:""" Reads the file as bytes """returnself.assetfile.read_bytes()
[docs]def__init__(self,lookup_path:Path):""" A class for discovering and searching generated assets. An instance of this class will be created by the Pharaoh project, where ``lookup_path`` will be set to ``report_project/.asset_build``. :param lookup_path: The root directory to look for assets. It will be searched recursively for assets. """self._lookup_path=lookup_pathself._assets:dict[str,list[Asset]]={}self.discover_assets()
[docs]defdiscover_assets(self,components:list[str]|None=None)->dict[str,list[Asset]]:""" Discovers all assets by recursively searching for ``*.assetinfo`` files and stores the collection as instance variable (`_assets`). :param components: A list of components to search for assets. If None (the default), all components will be searched. :return: A dictionary that maps component names to a list of :class:`Asset` instances. """ifisinstance(components,list)andlen(components):forcomponentincomponents:self._assets[component]=[Asset(file)forfilein(self._lookup_path/component).glob("*.assetinfo")]else:self._assets.clear()forassetin(Asset(file)forfileinself._lookup_path.glob("*/*.assetinfo")):component=asset.assetfile.parent.nameifcomponentnotinself._assets:self._assets[component]=[]self._assets[component].append(asset)returnself._assets
[docs]defsearch_assets(self,condition:str,components:str|Iterable[str]|None=None)->list[Asset]:""" Searches already discovered assets (see :func:`discover_assets`) that match a condition. :param condition: A Python expression that is evaluated using the content of the ``*.assetinfo`` JSON file as namespace. If the evaluation returns a truthy result, the asset is returned. Refer to :ref:`this example assetinfo file <example_asset_info>` to see the available default namespace. Example:: # All HTML file where the "label" metadata ends with "_plot" finder.search_assets('asset.suffix == ".html" and label.endswith("_plot")') :param components: A list of component names to search. If None (the default), all components will be searched. :return: A list of assets whose metadata match the condition. """ifnotcondition.strip():return[]code=compile(condition,"<string>","eval")found=[]forassetinself.iter_assets(components):try:result=eval(code,{},asset.context)exceptException:result=Falseifresult:found.append(asset)defsort_key(asset):try:returnasset.context.asset.indexexceptAttributeError:return0# Sort by asset index, which reflects the order in which the assets were generated in the asset scriptreturnsorted(found,key=sort_key)
[docs]defiter_assets(self,components:str|Iterable[str]|None=None)->Iterator[Asset]:""" Iterates over all discovered assets. :param components: A list of component names to search. If None (the default), all components will be searched. :return: An iterator over all discovered assets. """ifnotself._assets:self.discover_assets()ifisinstance(components,str):components=[components]components=componentsorlist(self._assets.keys())forcomponentincomponents:ifcomponentinself._assets:yield fromself._assets[component]
[docs]defget_asset_by_id(self,id:str)->Asset|None:""" Returns the corresponding :class:`Asset` instance for a certain ID. :param id: The ID of the asset to return :return: An :class:`Asset` instance if found, None otherwise. """forassetinself.iter_assets():ifasset.id==id:returnassetreturnNone
[docs]defasset_groupby(seq:Iterable[Asset],key:str,sort_reverse:bool=False,default:str|None=None)->dict[str,list[Asset]]:""" Groups an iterable of Assets by a certain metadata key. During build-time rendering this function will be available as Jinja global function ``asset_groupby`` and alias ``agroupby``. Example: .. code-block:: none We have following 4 assets (simplified notation of specified metadata): Asset[a="1", b="3"] Asset[a="1", c="4"] Asset[a="2", b="3"] Asset[a="2", c="4"] Grouping by "a": asset_groupby(assets, "a") will yield { "1": [Asset[a="1", b="3"], Asset[a="1", c="4"]], "2": [Asset[a="2", b="3"], Asset[a="2", c="4"]], } Grouping by "b" and default "default": asset_groupby(assets, "b", default="default") will yield { "3": [Asset[a="1", b="3"], Asset[a="2", b="3"]], "default": [Asset[a="1", c="4"], Asset[a="2", c="4"]], } :param seq: The iterable of assets to group :param key: The nested attribute to use for grouping, e.g. "A.B.C" :param sort_reverse: Reverse-sort the keys in the returned dictionary :param default: Sort each item, where "key" is not an existing attribute, into this default group :return: A dictionary that maps the group names (values of A.B.C) to a list of items out of the input iterable """returnobj_groupby(seq=seq,key=key,sort_reverse=sort_reverse,attr="context",default=default)