"""A convenience class around the :mod:`pkg_resources` module."""from__future__importannotations__author__='Paul Landes'fromtypingimportDict,List,Tuple,Iterable,Union,Optional,Type,ClassVarfromdataclassesimportdataclass,fieldimportsysimportsubprocessfromitertoolsimportchainimportimportlib.metadataimportimportlib.resourcesimportimportlib.utilfromimportlib.machineryimportModuleSpecimportloggingimportrefrompathlibimportPathfrom.writableimportWritable,WritableContextfrom.importAPIErrorlogger=logging.getLogger(__name__)
[docs]classPackageError(APIError):"""Raised for errors related to packages from this module."""pass
[docs]@dataclass(order=True,frozen=True)classPackageRequirement(Writable):"""A Python requirement specification. """_COMMENT_REGEX:ClassVar[re.Pattern]=re.compile(r'^\s*#.*')_URL_REGEX:ClassVar[re.Pattern]=re.compile(r'^([^@]+) @ (.+)$')_VER_REGEX:ClassVar[re.Pattern]=re.compile(r'^(^[a-z0-9]+(?:[_-][a-z0-9]+)*)([<>~=]+)(.+)$')_NON_VER_REGEX:ClassVar[re.Pattern]=re.compile(r'^(^[a-z0-9]+(?:[_-][a-z0-9]+)*)$')name:str=field()"""The name of the module (i.e. zensols.someappname)."""version:str=field(default=None)"""The version if the package exists."""version_constraint:str=field(default='==')"""The constraint on the version as an (in)equality. The following (limited) operators are ``==``, ``~=``, ``>`` etc. However, multiple operators to specify intervals are not supported. """url:str=field(default=None)"""The URL of the requirement."""source:Path=field(default=None)"""The file in which the requirement was parsed."""meta:Dict[str,str]=field(default=None)@propertydefspec(self)->str:"""The specification such as ``plac==1.4.3``."""spec:strifself.urlisnotNone:spec=f'{self.name} @ {self.url}'else:spec:strifself.versionisNone:spec=self.nameelse:spec=self.name+self.version_constraint+self.versionreturnspec
[docs]@dataclassclassPackageResource(Writable):"""Contains resources of installed Python packages. It makes the :obj:`distribution` available and provides access to to resource files with :meth:`get_path` and as an index. """name:str=field()"""The name of the module (i.e. ``zensols.someappname``)."""@propertydef_module_spec(self)->Optional[ModuleSpec]:ifnothasattr(self,'_module_spec_val'):self._module_spec_val=importlib.util.find_spec(self.name)returnself._module_spec_val@propertydefversion(self)->Optional[str]:"""The version if the package is installed."""ifnothasattr(self,'_version'):self._version=Noneifself._module_specisnotNone:try:self._version=importlib.metadata.version(self.name)exceptimportlib.metadata.PackageNotFoundError:passreturnself._version@propertydefinstalled(self)->bool:"""Whether the package is installed."""returnself.versionisnotNone@propertydefavailable(self)->bool:"""Whether the package exists but not installed."""returnself._module_specisnotNone
[docs]defto_package_requirement(self)->Optional[PackageRequirement]:"""The requirement represented by this instance."""fromimportlib.metadataimportPackageMetadataifself.available:try:pm:PackageMetadata=importlib.metadata.metadata(self.name)meta:Dict[str,str]={k.lower():vfork,vinpm.items()}returnPackageRequirement(name=meta.pop('name'),version=meta.pop('version'),meta=meta)exceptimportlib.metadata.PackageNotFoundError:pass
[docs]defget_path(self,resource:str)->Optional[Path]:"""Return a resource file name by name. Optionally return resource as a relative path if the package does not exist. :param resource: a forward slash (``/``) delimited path (i.e. ``resources/app.conf``) of the resource name :return: a path to that resource on the file system or ``None`` if the package doesn't exist, the resource doesn't exist """path:Path=Nonerel_path:Path=Path(*resource.split('/'))ifself.available:try:install_path:Path=importlib.resources.files(self.name)abs_path:Path=install_path/rel_pathpath=abs_pathifabs_path.exists()elserel_pathexceptTypeError:path=rel_pathelse:path=rel_pathreturnpath
def_write(self,c:WritableContext):c(self.name,'name')c(self.version,'version')c(self.available,'available')c(self.installed,'installed')def__getitem__(self,resource:str)->Path:ifnotself.available:raiseKeyError(f'Package does not exist: {self.name}')res=self.get_path(resource)ifresisNone:raiseKeyError(f'No such resource file: {resource}')returnresdef__repr__(self)->str:ifself.available:returnf'{self.name}=={self.version}'else:returnself.name
[docs]@dataclassclassPackageManager(object):"""Gather and parse requirements and optionally install them. """_FIELD_REGEX:ClassVar[re.Pattern]=re.compile(r'^([A-Z][a-z-]+):(?: (.+))?$')pip_install_args:Tuple[str,...]=field(default=('--use-deprecated=legacy-resolver',))"""Additional argument used for installing packages with ``pip``."""def_get_requirements_from_file(self,source:Path)-> \
Iterable[PackageRequirement]:try:withopen(source)asf:spec:strforspecinmap(str.strip,f.readlines()):req:PackageRequirement=PackageRequirement.from_spec(spec=spec,source=source)ifreqisnotNone:yieldreqexceptExceptionase:raisePackageError(f"Can not parse requirements from '{source}': {e}")fromedef_get_requirements(self,source:Union[str,Path,PackageRequirement]) \
->Iterable[PackageRequirement]:iflogger.isEnabledFor(logging.INFO):logger.info(f"resolving requirements from '{source}'")ifisinstance(source,PackageRequirement):yieldsourceelifisinstance(source,str):req:PackageRequirement=PackageRequirement.from_spec(source)ifreqisnotNone:yieldreqelifisinstance(source,Path):ifsource.is_file():req:PackageRequirementforreqinself._get_requirements_from_file(source):yieldreqelifsource.is_dir():path:Pathforpathinsource.iterdir():req:PackageRequirementforreqinself._get_requirements_from_file(path):yieldreqelse:raisePackageError(f'Not a file or directory: {path}')else:raisePackageError('Expecting a string, path or requirement '+f'but got: {type(source)}')
[docs]deffind_requirements(self,sources:Tuple[Union[str,Path,PackageRequirement],...])-> \
Tuple[PackageRequirement,...]:"""The requirements contained in this manager. . :param sources: the :obj:PackageRequirement.spec`, requirements file, or directory with requirements files """returntuple(sorted(chain.from_iterable(map(self._get_requirements,sources))))
def_invoke_pip(self,args:List[str],raise_exception:bool=True)->str:cmd:List[str]=[sys.executable,"-m","pip"]+argsiflogger.isEnabledFor(logging.DEBUG):logger.debug(f'pip command: {cmd}')res:subprocess.CompletedProcess=subprocess.run(cmd,capture_output=True,text=True)ifraise_exceptionandres.returncode!=0:raisePackageError(f'Unable to run pip: {res.stderr}')output:str=res.stdout.strip()returnoutput
[docs]defget_installed_requirement(self,package:str)-> \
Optional[PackageRequirement]:"""Get an already installed requirement by name. :param package: the package name (i.e. ``zensols.util``) """output:str=self._invoke_pip(['show',package],raise_exception=False)meta:Dict[str,str]={}iflen(output)>0:line:strforlineinmap(str.strip,output.split('\n')):m:re.Match=self._FIELD_REGEX.match(line)ifmisNone:raisePackageError(f"Bad pip show format: <{line}>")meta[m.group(1).lower()]=m.group(2)returnPackageRequirement(name=meta.pop('name'),version=meta.pop('version'),meta=meta)
[docs]defget_requirement(self,package:str)->Optional[PackageRequirement]:"""First try to get an installed (:meth:`get_installed_requirement), and if not found, back off to finding one with :class:`.PackageResource`. :param package: the package name (i.e. ``zensols.util``) """req:PackageRequirement=self.get_installed_requirement(package)ifreqisNone:pr=PackageResource(package)req=pr.to_package_requirement()returnreq
[docs]definstall(self,requirement:PackageRequirement,no_deps:bool=False):"""Install a package in this Python enviornment with pip. :param requirement: the requirement to install :param no_deps: if ``True`` do not install the package's dependencies :return: the output from the pip command invocation """args:List[str]=['install']args.extend(self.pip_install_args)ifno_deps:args.append('--no-deps')args.append(requirement.spec)output:str=self._invoke_pip(args)iflogger.isEnabledFor(logging.INFO):logger.info(f'pip: {output}')returnoutput
[docs]defuninstall(self,requirement:PackageRequirement)->str:"""Uninstall a package in this Python enviornment with pip. :param requirement: the requirement to uninstall :param no_deps: if ``True`` do not install the package's dependencies :return: the output from the pip command invocation """args:List[str]=['uninstall','-y']args.extend(self.pip_install_args)args.append(requirement.spec)output:str=self._invoke_pip(args)iflogger.isEnabledFor(logging.INFO):logger.info(f'pip: {output}')returnoutput