"""
Some handy classes and functions used everywhere in PlatRock.
FIXME: DOC
"""
from osgeo import gdal
import functools,operator,copy
import numpy as np
from . import Debug, PyUtils
import shapely.geometry
[docs]
def parameterDescriptorFactory(*args, **kwargs):
if args[0]=='FreeNumber':
return FreeNumberParameterDescriptor(*args[1:], **kwargs)
elif args[0]=='StringChoice':
return StringChoiceParameterDescriptor(*args[1:], **kwargs)
elif args[0]=='FreeString':
return FreeStringParameterDescriptor(*args[1:], **kwargs)
elif args[0]=='Bool':
return BoolParameterDescriptor(*args[1:], **kwargs)
elif bool in args:
idex = args.index(bool)
return BoolParameterDescriptor(*(args[:idex]+args[idex+1:]), **kwargs)
else: #Default behavior if not specified : a number, which is the more common parameter type in PlatRock.
return FreeNumberParameterDescriptor(*args, **kwargs)
[docs]
class ParameterDescriptor(object):
"""
Fully describes a parameter, useful for GUIs.
Note:
This class doesn't contain the value of the parameter, only its characteristics. Values are directly stored in instances, :class:`~Common.Simulations.GenericSimulation` for example.
Attributes:
input_names (list of strings || string): when reading platrock input parameters names from files, use this(ese) name(s) to bind to the right parameter. Always store as a list of strings in instances.
inst_name (string): the instance name, name that this parameter will take in platrock source code, objects instances, etc...
human_name (string): a human-readable and understandable full parameter name, including eventual unity
type_ (type): the python type the parameter should be of
min_value (:attr:`type_`): the minimum acceptable value
max_value (:attr:`type_`): the maximum acceptable value
default_value (:attr:`type_`): the default value
"""
def __init__(self,input_names,inst_name,human_name,type_,default_value):
if not isinstance(input_names,list):
input_names=[input_names]
self.input_names=input_names
self.inst_name=inst_name
self.human_name=human_name
self.type_=type_
self.default_value=default_value
[docs]
def set_to_obj(self,obj,value=None,inst_name_prefix="",inst_name_suffix=""):
"""
Set a value from this parameter descriptor to an object attribute. This will cast to :attr:`type_` and set the :attr:`default_value` if the value given is None. The attribute name will be :attr:`inst_name`.
Args:
obj (object): the instance to set the parameter to
value (anything castable to :attr:`type_`, optional): the value to set, if None :attr:`default_value` will be used
inst_name_prefix (string, optional): a prefix added before :attr:`inst_name`
inst_name_suffix (string, optional): a suffix added after :attr:`inst_name`
"""
if value==None:
value=self.default_value
if type(obj)==dict:
obj[inst_name_prefix+self.inst_name+inst_name_suffix] = self.type_(value)
else:
setattr(obj,inst_name_prefix+self.inst_name+inst_name_suffix,self.type_(value))
[docs]
class FreeNumberParameterDescriptor(ParameterDescriptor):
TYPE = 'FreeNumber'
def __init__(self,input_names,inst_name,human_name,type_,min_value=None,max_value=None,default_value=None):
super().__init__(input_names, inst_name, human_name, type_, default_value)
self.min_value=min_value
self.max_value=max_value
[docs]
class StringChoiceParameterDescriptor(ParameterDescriptor):
TYPE = 'StringChoice'
def __init__(self,input_names,inst_name,human_name,default_value="",choices=['']):
super().__init__(input_names, inst_name, human_name, str, default_value)
self.choices=choices
[docs]
class FreeStringParameterDescriptor(ParameterDescriptor):
TYPE = 'FreeString'
def __init__(self,input_names,inst_name,human_name,default_value="",hint=False):
super().__init__(input_names, inst_name, human_name, str, default_value)
self.hint=hint
[docs]
class BoolParameterDescriptor(ParameterDescriptor):
TYPE = 'Bool'
def __init__(self,input_names,inst_name,human_name,default_value=None):
super().__init__(input_names, inst_name, human_name, bool, default_value)
[docs]
def get_geojson_all_properties(filename,unique=True):
"""
Get all available "properties" names for all features of a geojson file.
Args:
filename (string): path to the geojson file
unique (bool, optional): if set to False, all properties names of all features of the file will be output (2D list). If set to True the properties names of all features will be merged, but each parameter will appear once (1D list).
Returns:
list of strings
"""
result=[]
shp_file=gdal.OpenEx(filename)
for feat in shp_file.GetLayer(0):
feat_dict=feat.ExportToJson(as_object=True) #loop on rocks start polygons
result.append(list(feat_dict['properties'].keys()))
if unique:
result=functools.reduce(operator.iconcat, result, []) #flatten
unique_result = list(set(result))
return unique_result
return result
[docs]
def get_geojson_all_shapes(filename,unique=True):
"""
Get all available "geometry" types for all features of a geojson file.
Args:
filename (string): path to the geojson file
unique (bool, optional): if set to False, all geometry names of all features of the file will be output (2D list). If set to True the geometry names of all features will be merged, but each geometry will appear once (1D list).
Returns:
list of strings
"""
result=[]
shp_file=gdal.OpenEx(filename)
for feat in shp_file.GetLayer(0):
feat_dict=feat.ExportToJson(as_object=True) #loop on rocks start polygons
result.append(feat_dict['geometry']["type"])
if unique:
#result=functools.reduce(operator.iconcat, result, []) #flatten
unique_result = list(set(result))
return unique_result
return result
[docs]
class Report(object):
"""
A report is a handy tool that groups a series of messages with corresponding message type. It is used to check users parameters in WebUI, before they launch a simulation.
Attributes:
nb_of_errors (int): counts the number of errors contained is this report
messages (list): contains all the messages in the format [[mess_type, "the message"], ...]
"""
messages_letters_to_types={'I':'INFO','E':'ERROR','W':'WARNING'}
"""
Links between the message letter types (_type) and the corresponding human names
"""
def __init__(self):
self.nb_of_errors=0
self.messages=[]
[docs]
def add_message(self,_type,message):
"""
Adds a message to the report, should not really be used directly.
Args:
_type (sting): one of the :attr:`messages_letters_to_types` keys (for example "I")
message (string): the message
"""
self.messages+=[[_type,message]]
[docs]
def add_info(self,message):
"""
Adds an info ("I") message to the report.
Args:
message (string): the message
"""
self.add_message('I',message)
[docs]
def add_error(self,message):
"""
Adds an error ("E") message to the report. Note that this will increment :attr:`nb_of_errors`.
Args:
message (string): the message
"""
self.nb_of_errors+=1
self.add_message('E',message)
[docs]
def add_warning(self,message):
"""
Adds an warning ("W") message to the report.
Args:
message (string): the message
"""
self.add_message('W',message)
[docs]
def check_parameter(self,param_descriptor,param_value,location_string=""):
"""
Checks the validity of a value for a given :class:`ParameterDescriptor`. The value type and range will be checked, if they are not valid some error messages will be added to this report.
Args:
param_descriptor (:class:`ParameterDescriptor`): the parameter descriptor containing the type and range for the value
param_value (any): the value to check
location_string (string): for the error message to be more explicit, tell where the parameter comes from.
"""
if type(param_value)!=param_descriptor.type_:
self.add_error( "In %s, %s is of invalid type (=%s but should be %s)."%(location_string,param_descriptor.inst_name, type(param_value).__name__, param_descriptor.type_.__name__) )
return
if param_value < param_descriptor.min_value or param_value > param_descriptor.max_value :
self.add_error( "In %s, %s is not in its allowed range (=%s but should be within [%s,%s])."%(location_string,param_descriptor.inst_name, param_value, param_descriptor.min_value, param_descriptor.max_value) )