"""Module implementing a Structure class."""# Standard library importsimportcopyfromtypingimportList,Unionfromcollections.abcimportCallable# Third party library importsimportnumpyasnpfromaseimportAtomstry:importaiidaexceptImportError:aiida=Nonetry:importpymatgenexceptImportError:pymatgen=None# Internal library importsfromaim2dat.ext_interfacesimport_return_ext_interface_modulesfromaim2dat.strct.strct_ioimportget_structure_from_filefromaim2dat.ioimportzeofromaim2dat.strct.strct_validationimport(_structure_validate_cell,_structure_validate_elements,_structure_validate_positions,)fromaim2dat.strct.mixinimportAnalysisMixin,ManipulationMixin,classpropertyimportaim2dat.utils.chem_formulaasutils_cfimportaim2dat.utils.printasutils_prfromaim2dat.utils.mathsimportcalc_anglefromaim2dat.utils.element_propertiesimportget_atomic_numberdef_compare_function_args(args1,args2):"""Compare function arguments to check if a property needs to be recalculated."""iflen(args1)!=len(args2):returnFalseforkwarg,value1inargs1.items():ifvalue1!=args2[kwarg]:returnFalsereturnTruedef_create_index_dict(value):index_dict={}foridx,valinenumerate(value):ifvalinindex_dict:index_dict[val].append(idx)else:index_dict[val]=[idx]returnindex_dictdef_check_calculated_properties(structure,func,func_args):property_name="_".join(func.__name__.split("_")[1:])ifstructure.store_calculated_propertiesandproperty_nameinstructure._function_args:if_compare_function_args(structure._function_args[property_name],func_args):returnstructure.extras[property_name]calc_attr,calc_extra=func(structure,**func_args)ifcalc_attrisnotNone:structure.set_attribute(property_name,calc_attr)ifstructure.store_calculated_properties:ifcalc_extraisnotNone:structure._extras[property_name]=calc_extrastructure._function_args[property_name]=func_argsreturncalc_extradef_update_label_attributes_extras(strct_dict,label,attributes,site_attributes,extras):# TODO handle deepcopy.iflabelisnotNone:strct_dict["label"]=labelifattributesisnotNone:strct_dict.setdefault("attributes",{}).update(attributes)ifsite_attributesisnotNone:strct_dict.setdefault("site_attributes",{}).update(site_attributes)ifextrasisnotNone:strct_dict.setdefault("extras",{}).update(extras)
[docs]defimport_method(func):"""Mark function as import function."""func._is_import_method=Truereturnfunc
[docs]defexport_method(func):"""Mark function as export function."""func._is_export_method=Truereturnfunc
[docs]classStructure(AnalysisMixin,ManipulationMixin):""" Represents a structure and contains methods to calculate properties of a structure (molecule or crystal) or to manipulate a structure. """def__init__(self,elements:List[str],positions:List[List[float]],pbc:List[bool],is_cartesian:bool=True,wrap:bool=False,cell:List[List[float]]=None,kinds:List[str]=None,label:str=None,site_attributes:dict=None,store_calculated_properties:bool=True,attributes:dict=None,extras:dict=None,function_args:dict=None,):"""Initialize object."""self._inverse_cell=Noneself._site_attributes={}self.elements=elementsself.kinds=kindsself.cell=cellself.pbc=pbcself.label=labelself.site_attributes=site_attributesself.store_calculated_properties=store_calculated_propertiesself._attributes={}ifattributesisNoneelseattributesself._extras={}ifextrasisNoneelseextrasself._function_args={}iffunction_argsisNoneelsefunction_argsself.set_positions(positions,is_cartesian=is_cartesian,wrap=wrap)def__str__(self):"""Represent object as string."""def_parse_vector(vector):vector=["{0:.4f}".format(val)forvalinvector]return"["+" ".join([" ".join([""]*(9-len(val)))+valforvalinvector])+"]"output_str=utils_pr._print_title(f"Structure: {self.label}")+"\n\n"output_str+=" Formula: "+utils_cf.transform_dict_to_str(self.chem_formula)+"\n"output_str+=" PBC: ["+" ".join(str(val)forvalinself.pbc)+"]\n\n"ifself.cellisnotNone:output_str+=utils_pr._print_subtitle("Cell")+"\n"# output_str += utils_pr._print_subtitle("Cell")output_str+=utils_pr._print_list("Vectors:",[_parse_vector(val)forvalinself.cell])output_str+=" Lengths: "+_parse_vector(self.cell_lengths)+"\n"output_str+=" Angles: "+_parse_vector(self.cell_angles)+"\n"output_str+=" Volume: {0:.4f}\n\n".format(self.cell_volume)output_str+=utils_pr._print_subtitle("Sites")+"\n"sites_list=[]forel,kind,cart_pos,scaled_posinself.iter_sites(get_kind=True,get_scaled_pos=True,get_cart_pos=True):site_str=f"{el} "+" ".join([""]*(3-len(el)))site_str+=(f"{kind} "+" ".join([""]*(6-len(str(kind))))+_parse_vector(cart_pos))ifscaled_posisnotNone:site_str+=" "+_parse_vector(scaled_pos)sites_list.append(site_str)output_str+=utils_pr._print_list("",sites_list)output_str+=utils_pr._print_hline()returnoutput_strdef__len__(self):"""int: Get number of sites."""returnlen(self.elements)def__iter__(self):"""Iterate through element and cartesian position."""forel,posinzip(self.elements,self.positions):yieldel,posdef__contains__(self,key:str):"""Check whether Structure contains the key."""keys_to_check=[dfordindir(self)ifnotcallable(getattr(self,d))andnotd.startswith("_")]returnkeyinkeys_to_check# key in self.__dict__.keys()def__getitem__(self,key:str):"""Return structure property by key or list of keys."""ifisinstance(key,list):try:return{k:getattr(self,k)forkinkey}exceptAttributeError:raiseKeyError(f"Key `{key} is not present.")elifisinstance(key,str):try:returngetattr(self,key)exceptAttributeError:raiseKeyError(f"Key `{key} is not present.")def__deepcopy__(self,memo):"""Create a deepcopy of the object."""copy=Structure(elements=self.elements,positions=self.positions,cell=self.cell,pbc=self.pbc,is_cartesian=True,kinds=self.kinds,attributes=self.attributes,extras=self.extras,function_args=self.function_args,label=self.label,store_calculated_properties=self.store_calculated_properties,)memo[id(self)]=copyreturncopy
[docs]defkeys(self)->list:"""Return property names to create the structure."""return["label","elements","positions","pbc","cell","kinds","site_attributes","attributes","extras","function_args",]
[docs]defcopy(self)->"Structure":"""Return copy of `Structure` object."""returncopy.deepcopy(self)
[docs]defget(self,key,value=None):"""Get attribute by key and return default if not present."""try:ifself[key]isNone:returnvalueelse:returnself[key]exceptKeyError:returnvalue
@propertydeflabel(self)->Union[str,None]:"""Return label of the structure (especially relevant in StructureCollection)."""returnself._label@label.setterdeflabel(self,value):ifvalueisnotNoneandnotisinstance(value,str):raiseTypeError("`label` needs to be of type str.")self._label=value@propertydefelements(self)->tuple:"""Return the elements of the structure."""returnself._elements@elements.setterdefelements(self,value:Union[tuple,list,np.ndarray]):elements=_structure_validate_elements(value)ifself.positionsisnotNoneandlen(self.positions)!=len(elements):raiseValueError("Length of `elements` is unequal to length of `positions`.")self._elements=elementsself._element_dict=_create_index_dict(elements)self._chem_formula=utils_cf.transform_list_to_dict(elements)self._numbers=tuple(get_atomic_number(el)forelinelements)@propertydefchem_formula(self)->dict:""" Return chemical formula. """returnself._chem_formula@propertydefnumbers(self)->tuple:"""Return the atomic numbers of the structure."""returnself._numbers@propertydefpositions(self)->tuple:"""tuple: Return the cartesian positions of the structure."""returngetattr(self,"_positions",None)@propertydefscaled_positions(self)->Union[tuple,None]:"""tuple or None: Return the scaled positions of the structure."""returngetattr(self,"_scaled_positions",None)@propertydefpbc(self)->tuple:"""Return the pbc of the structure."""returnself._pbc@pbc.setterdefpbc(self,value:Union[tuple,list,np.ndarray,bool]):ifisinstance(value,(list,tuple,np.ndarray)):iflen(value)==3andall(isinstance(pbc0,(bool,np.bool_))forpbc0invalue):value=tuple([bool(pbc0)forpbc0invalue])else:raiseValueError("`pbc` must have a length of 3 and consist of boolean variables.")else:ifisinstance(value,(bool,np.bool_)):value=tuple([bool(value),bool(value),bool(value)])else:raiseTypeError("`pbc` must be a list, tuple or a boolean.")ifany(valforvalinvalue)andself.cellisNone:raiseValueError("`cell` must be set if `pbc` is set to true for one or more direction.")self._pbc=value@propertydefcell(self)->Union[tuple,None]:"""Return the cell of the structure."""returngetattr(self,"_cell",None)@cell.setterdefcell(self,value:Union[tuple,list,np.ndarray]):ifvalueisnotNone:self._cell,self._inverse_cell=_structure_validate_cell(value)self._cell_volume=abs(np.dot(np.cross(self._cell[0],self._cell[1]),self._cell[2]))self._cell_lengths=tuple([float(np.linalg.norm(vec))forvecinself._cell])self._cell_angles=tuple([float(calc_angle(self._cell[i1],self._cell[i2])*180.0/np.pi)fori1,i2in[(1,2),(0,2),(0,1)]])# if hasattr(self, "_positions"):# self.set_positions(self.positions, is_cartesian=True)@propertydefcell_volume(self)->Union[float,None]:"""tuple: cell volume."""returngetattr(self,"_cell_volume",None)@propertydefcell_lengths(self)->Union[tuple,None]:"""tuple: cell lengths."""returngetattr(self,"_cell_lengths",None)@propertydefcell_angles(self)->Union[tuple,None]:"""tuple: Cell angles."""returngetattr(self,"_cell_angles",None)@propertydefkinds(self)->Union[tuple,None]:"""tuple: Kinds of the structure."""returnself._kinds@kinds.setterdefkinds(self,value:Union[tuple,list]):ifvalueisNone:value=[None]*len(self.elements)ifnotisinstance(value,(list,tuple)):raiseTypeError("`kinds` must be a list or tuple.")iflen(value)!=len(self.elements):raiseValueError("`kinds` must have the same length as `elements`.")self._kind_dict=_create_index_dict(value)self._kinds=tuple(value)@propertydefsite_attributes(self)->Union[dict,None]:""" dict : Dictionary containing the label of a site attribute as key and a tuple/list of values having the same length as the ``Structure`` object itself (number of sites) containing site specific properties or attributes (e.g. charges, magnetic moments, forces, ...). """returncopy.deepcopy(self._site_attributes)@site_attributes.setterdefsite_attributes(self,value:dict):ifvalueisNone:value={}self._site_attributes={}forkey,valinvalue.items():self.set_site_attribute(key,val)@propertydeffunction_args(self)->dict:"""Return function arguments for stored extras."""returncopy.deepcopy(self._function_args)@propertydefattributes(self)->dict:"""Return attributes."""returncopy.deepcopy(self._attributes)@propertydefextras(self)->dict:""" Return extras. """returncopy.deepcopy(self._extras)@propertydefstore_calculated_properties(self)->bool:""" Store calculated properties to reuse them later. """returnself._store_calculated_properties@store_calculated_properties.setterdefstore_calculated_properties(self,value:bool):ifnotisinstance(value,bool):raiseTypeError("`store_calculated_properties` needs to be of type bool.")self._store_calculated_properties=value
[docs]defiter_sites(self,get_kind:bool=False,get_cart_pos:bool=False,get_scaled_pos:bool=False,wrap:bool=False,site_attributes:Union[str,list]=[],):""" Iterate through the sites of the structure. Parameters ---------- get_kind : bool (optional) Include kind in tuple. get_cart_pos : bool (optional) Include cartesian position in tuple. get_scaled_pos : bool (optional) Include scaled position in tuple. wrap : bool (optional) Wrap atomic positions back into the unit cell. site_attributes : list (optional) Include site attributes defined by their label. Yields ------ str or tuple Either element symbol or tuple containing the element symbol, kind string, cartesian position, scaled position or specified site attributes. """ifisinstance(site_attributes,str):site_attributes=[site_attributes]site_attr_dict={}ifself.site_attributesisNoneelseself.site_attributesforidx,elinenumerate(self.elements):output=[el]ifget_kind:output.append(self.kinds[idx])pos_cart=self.positions[idx]pos_scaled=Noneifself.scaled_positionsisNoneelseself.scaled_positions[idx]if(get_cart_posorget_scaled_pos)andwrap:pos_cart,pos_scaled=self._wrap_position(pos_cart,pos_scaled)ifget_cart_pos:output.append(pos_cart)ifget_scaled_pos:output.append(pos_scaled)forsite_attrinsite_attributes:output.append(site_attr_dict[site_attr][idx])iflen(output)==1:yieldelelse:yieldtuple(output)
[docs]defset_positions(self,positions:Union[list,tuple],is_cartesian:bool=True,wrap:bool=False):""" Set postions of atoms. Parameters ---------- positions : list or tuple Nested list or tuple of the coordinates (n atoms x 3). is_cartesian : bool (optional) Whether the coordinates are cartesian or scaled. wrap : bool (optional) Wrap atomic positions into the unit cell. """iflen(self.elements)!=len(positions):raiseValueError("`elements` and `positions` must have the same length.")self._positions,self._scaled_positions=_structure_validate_positions(positions,is_cartesian,self.cell,self._inverse_cell,self.pbc)ifwrap:new_positions=[posforposinself.iter_sites(get_cart_pos=True,get_scaled_pos=True,wrap=wrap)]_,cart_positions,scaled_positions=zip(*new_positions)self._positions=tuple(cart_positions)self._scaled_positions=tuple(scaled_positions)
[docs]defget_positions(self,cartesian:bool=True,wrap:bool=False):""" Return positions of atoms. Parameters ---------- cartesian : bool (optional) Get cartesian positions. If set to ``False`` scaled positions are returned. wrap : bool (optional) Wrap atomic positions into the unit cell. """returntuple(posfor_,posinself.iter_sites(get_cart_pos=cartesian,get_scaled_pos=notcartesian,wrap=wrap))
[docs]defset_attribute(self,key:str,value):""" Set attribute. Parameters ---------- key : str Key of the attribute. value : Value of the attribute. """self._attributes[key]=value
[docs]defset_site_attribute(self,key:str,values:Union[list,tuple]):""" Set site attribute. Parameters ---------- key : str Key of the site attribute. values : Values of the attribute, need to have the same length as the ``Structure`` object itself (number of sites). """ifnotisinstance(values,(list,tuple)):raiseTypeError(f"Value of site property `{key}` must be a list or tuple.")iflen(values)!=len(self.elements):raiseValueError(f"Value of site property `{key}` must have the same length as `elements`.")self._site_attributes[key]=tuple(values)
[docs]@classmethoddeflist_import_methods(cls)->list:""" Get a list with the function names of all available import methods. Returns ------- list: Return a list of all available import methods. """import_methods=[]forname,methodincls.__dict__.items():ifgetattr(method,"_is_import_method",False):import_methods.append(name)returnimport_methods
@classpropertydefimport_methods(cls)->list:"""list: Return import methods. This property is depreciated and will be removed soon."""returncls.list_import_methods()
[docs]@classmethoddeflist_export_methods(cls)->list:""" Get a list with the function names of all available export methods. Returns ------- list: Return a list of all available export methods. """export_methods=[]forname,methodincls.__dict__.items():ifgetattr(method,"_is_export_method",False):export_methods.append(name)returnexport_methods
@classpropertydefexport_methods(cls)->list:"""list: Return export methods. This property is depreciated and will be removed soon."""returncls.list_export_methods()
[docs]@import_method@classmethoddeffrom_file(cls,file_path:str,attributes:dict=None,site_attributes:dict=None,extras:dict=None,label:str=None,backend:str="ase",file_format:str=None,backend_kwargs:dict=None,)->"Structure":""" Get structure from file using the ase read-function. Parameters ---------- file_path : str File path. attributes : dict Attributes stored within the structure object(s). site_attributes : dict Site attributes stored within the structure object(s). extras : dict Extras stored within the structure object(s). label : str Label used internally to store the structure in the object. backend : str (optional) Backend to be used to parse the structure file. Supported options are ``'ase'`` and ``'internal'``. file_format : str or None (optional) File format of the backend. For ``'ase'``, please refer to the documentation of the package for a complete list. For ``'internal'``, the format translates from ``io.{module}.read_structure`` to ``'{module}'`` or from ``{module}.read_{specification}_structure`` to ``'module-specification'``. If set to ``None`` the corresponding function is searched based on the file name and suffix. backend_kwargs : dict (optional) Arguments passed to the backend function. Returns ------- aim2dat.strct.Structure Structure. """backend_kwargs={}ifbackend_kwargsisNoneelsebackend_kwargsifbackend=="ase":backend_module=_return_ext_interface_modules("ase_atoms")if"format"notinbackend_kwargs:backend_kwargs["format"]=file_formatstructure_dicts=backend_module._load_structure_from_file(file_path,backend_kwargs)elifbackend=="internal":structure_dicts=get_structure_from_file(file_path,file_format,backend_kwargs)else:raiseValueError(f"Backend '{backend}' is not supported.")ifisinstance(structure_dicts,dict):structure_dicts=[structure_dicts]iflen(structure_dicts)==1:iflabelisnotNone:structure_dicts[0]["label"]=labelifattributesisnotNone:structure_dicts[0].setdefault("attributes",{}).update(attributes)ifextrasisnotNone:structure_dicts[0].setdefault("extras",{}).update(extras)strct=cls(**structure_dicts[0])else:strct=[]foridx,structure_dictinenumerate(structure_dicts):iflabelisnotNone:structure_dict["label"]=label+f"_{idx}"ifattributesisnotNone:structure_dict.setdefault("attributes",{}).update(copy.deepcopy(attributes))ifextrasisnotNone:structure_dict.setdefault("extras",{}).update(copy.deepcopy(extras))strct.append(cls(**structure_dict))returnstrct
[docs]@import_method@classmethoddeffrom_ase_atoms(cls,ase_atoms:Atoms,attributes:dict=None,site_attributes:dict=None,extras:dict=None,label:str=None,)->"Structure":""" Get structure from ase atoms object. Attributes and site attributes are obtained from the ``info`` and ``arrays`` properties, respectively. Parameters ---------- ase_atoms : ase.Atoms ase Atoms object. attributes : dict Attributes stored within the structure object. site_attributes : dict Site attributes stored within the structure object. extras : dict Extras stored within the structure object. label : str Label used internally to store the structure in the object. Returns ------- aim2dat.strct.Structure Structure. """backend_module=_return_ext_interface_modules("ase_atoms")strct_dict=backend_module._extract_structure_from_atoms(ase_atoms)_update_label_attributes_extras(strct_dict,label,attributes,site_attributes,extras)returncls(**strct_dict)
[docs]@import_method@classmethoddeffrom_pymatgen_structure(cls,pymatgen_structure:Union["pymatgen.core.Molecule","pymatgen.core.Structure"],attributes:dict=None,site_attributes:dict=None,extras:dict=None,label:str=None,)->"Structure":""" Get structure from pymatgen structure or molecule object. Parameters ---------- pymatgen_structure : pymatgen.core.Structure or pymatgen.core.Molecule pymatgen structure or molecule object. attributes : dict Attributes stored within the structure object. site_attributes : dict Site attributes stored within the structure object. extras : dict Extras stored within the structure object. label : str Label used internally to store the structure in the object. Returns ------- aim2dat.strct.Structure Structure. """backend_module=_return_ext_interface_modules("pymatgen")strct_dict=backend_module._extract_structure_from_pymatgen(pymatgen_structure)_update_label_attributes_extras(strct_dict,label,attributes,site_attributes,extras)returncls(**strct_dict)
[docs]@import_method@classmethoddeffrom_aiida_structuredata(cls,structure_node:Union[int,str,"aiida.orm.StructureData"],use_uuid:bool=False,label:str=None,)->"Structure":""" Append structure from AiiDA structure node. Parameters ---------- label : str Label used internally to store the structure in the object. structure_node : int, str or aiida.orm.nodes.data.structure.StructureData Primary key, UUID or AiiDA structure node. use_uuid : bool (optional) Whether to use the uuid (str) to represent AiiDA nodes instead of the primary key (int). Returns ------- aim2dat.strct.Structure Structure. """backend_module=_return_ext_interface_modules("aiida")structure_dict=backend_module._extract_dict_from_aiida_structure_node(structure_node,use_uuid)iflabelisnotNone:structure_dict["label"]=labelreturncls(**structure_dict)
[docs]@export_methoddefto_dict(self,cartesian:bool=True,wrap:bool=False,include_calculated_properties:bool=False,)->dict:""" Export structure to python dictionary. Parameters ---------- cartesian : bool (optional) Whether cartesian or scaled coordinates are returned. wrap : bool (optional) Whether the coordinates are wrapped back into the unit cell. include_calculated_properties : bool (optional) Include ``extras`` and ``function_args`` in the dictionary as well. Returns ------- dict Dictionary representing the structure. The ``Structure`` object can be retrieved via ``Structure(**dict)``. """# TODO add test:calc_prop_keys=["extras","function_args"]strct_dict={}forkeyinself.keys():if(notinclude_calculated_propertiesandkeyincalc_prop_keys)orkey=="positions":continuestrct_dict[key]=getattr(self,key)strct_dict["positions"]=self.get_positions(cartesian=cartesian,wrap=wrap)ifnotcartesian:strct_dict["is_cartesian"]=Falsereturnstrct_dict
[docs]@export_methoddefto_file(self,file_path:str)->None:""" Export structure to file using the ase interface or certain file formats for Zeo++. """iffile_path.endswith((".cssr",".v1",".cuc")):zeo.write_to_file(self,file_path)else:backend_module=_return_ext_interface_modules("ase_atoms")backend_module._write_structure_to_file(self,file_path)
[docs]@export_methoddefto_ase_atoms(self)->Atoms:""" Create ase Atoms object. Returns ------- ase.Atoms ase Atoms object of the structure. """backend_module=_return_ext_interface_modules("ase_atoms")returnbackend_module._create_atoms_from_structure(self)
[docs]@export_methoddefto_pymatgen_structure(self)->Union["pymatgen.core.Molecule","pymatgen.core.Structure"]:""" Create pymatgen Structure (if cell is not `None`) or Molecule (if cell is `None`) object. Returns ------- pymatgen.core.Structure or pymatgen.core.Molecule pymatgen structure or molecule object. """backend_module=_return_ext_interface_modules("pymatgen")returnbackend_module._create_pymatgen_obj(self)
def_wrap_position(self,cart_position,scaled_position):"""Wrap position back into the unit cell."""ifself.cellisNone:returncart_position,scaled_positionifcart_positionisnotNone:cart_position=np.array(cart_position)ifscaled_positionisnotNone:scaled_position=np.array(scaled_position)ifscaled_positionisNone:scaled_position=np.transpose(np.array(self._inverse_cell)).dot(cart_position)fordirectioninrange(3):ifself.pbc[direction]:scaled_position[direction]=round(scaled_position[direction],15)%1cart_position=np.transpose(np.array(self.cell)).dot(scaled_position)returntuple(float(p)forpincart_position),tuple(float(p)forpinscaled_position)def_perform_strct_analysis(self,method,kwargs):return_check_calculated_properties(self,method,kwargs)
[docs]defperform_analysis(self,method:Callable,kwargs:dict={}):""" Perform structure analaysis using an external method. Parameters ---------- method : function Analysis function. kwargs : dict Arguments to be passed to the function. Returns ------ output Output of the analysis. """ifnotgetattr(method,"_is_analysis_method",False):raiseTypeError("Function is not a structure analysis method.")returnmethod(structure=self,**kwargs)