Salome HOME
Updating copyright date information
[modules/adao.git] / src / daComposant / daAlgorithms / SamplingTest.py
1 #-*-coding:iso-8859-1-*-
2 #
3 # Copyright (C) 2008-2016 EDF R&D
4 #
5 # This library is free software; you can redistribute it and/or
6 # modify it under the terms of the GNU Lesser General Public
7 # License as published by the Free Software Foundation; either
8 # version 2.1 of the License.
9 #
10 # This library is distributed in the hope that it will be useful,
11 # but WITHOUT ANY WARRANTY; without even the implied warranty of
12 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
13 # Lesser General Public License for more details.
14 #
15 # You should have received a copy of the GNU Lesser General Public
16 # License along with this library; if not, write to the Free Software
17 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307 USA
18 #
19 # See http://www.salome-platform.org/ or email : webmaster.salome@opencascade.com
20 #
21 # Author: Jean-Philippe Argaud, jean-philippe.argaud@edf.fr, EDF R&D
22
23 import logging
24 from daCore import BasicObjects
25 import numpy, copy, itertools
26
27 # ==============================================================================
28 class ElementaryAlgorithm(BasicObjects.Algorithm):
29     def __init__(self):
30         BasicObjects.Algorithm.__init__(self, "SAMPLINGTEST")
31         self.defineRequiredParameter(
32             name     = "SampleAsnUplet",
33             default  = [],
34             typecast = tuple,
35             message  = "Points de calcul définis par une liste de n-uplet",
36             )
37         self.defineRequiredParameter(
38             name     = "SampleAsExplicitHyperCube",
39             default  = [],
40             typecast = tuple,
41             message  = "Points de calcul définis par un hyper-cube dont on donne la liste des échantillonages de chaque variable comme une liste",
42             )
43         self.defineRequiredParameter(
44             name     = "SampleAsMinMaxStepHyperCube",
45             default  = [],
46             typecast = tuple,
47             message  = "Points de calcul définis par un hyper-cube dont on donne la liste des échantillonages de chaque variable par un triplet [min,max,step]",
48             )
49         self.defineRequiredParameter(
50             name     = "SampleAsIndependantRandomVariables",
51             default  = [],
52             typecast = tuple,
53             message  = "Points de calcul définis par un hyper-cube dont les points sur chaque axe proviennent de l'échantillonage indépendant de la variable selon la spécification ['distribution',[parametres],nombre]",
54             )
55         self.defineRequiredParameter(
56             name     = "QualityCriterion",
57             default  = "AugmentedWeightedLeastSquares",
58             typecast = str,
59             message  = "Critère de qualité utilisé",
60             listval  = ["AugmentedWeightedLeastSquares","AWLS","AugmentedPonderatedLeastSquares","APLS","DA",
61                         "WeightedLeastSquares","WLS","PonderatedLeastSquares","PLS",
62                         "LeastSquares","LS","L2",
63                         "AbsoluteValue","L1",
64                         "MaximumError","ME"],
65             )
66         self.defineRequiredParameter(
67             name     = "SetDebug",
68             default  = False,
69             typecast = bool,
70             message  = "Activation du mode debug lors de l'exécution",
71             )
72         self.defineRequiredParameter(
73             name     = "StoreSupplementaryCalculations",
74             default  = [],
75             typecast = tuple,
76             message  = "Liste de calculs supplémentaires à stocker et/ou effectuer",
77             listval  = ["CostFunctionJ","CurrentState","InnovationAtCurrentState","SimulatedObservationAtCurrentState"]
78             )
79         self.defineRequiredParameter(
80             name     = "SetSeed",
81             typecast = numpy.random.seed,
82             message  = "Graine fixée pour le générateur aléatoire",
83             )
84
85     def run(self, Xb=None, Y=None, U=None, HO=None, EM=None, CM=None, R=None, B=None, Q=None, Parameters=None):
86         self._pre_run()
87         #
88         self.setParameters(Parameters)
89         #
90         Hm = HO["Direct"].appliedTo
91         #
92         Xn = copy.copy( Xb )
93         #
94         # ---------------------------
95         if len(self._parameters["SampleAsnUplet"]) > 0:
96             sampleList = self._parameters["SampleAsnUplet"]
97             for i,Xx in enumerate(sampleList):
98                 if numpy.ravel(Xx).size != Xn.size:
99                     raise ValueError("The size %i of the %ith state X in the sample and %i of the checking point Xb are different, they have to be identical."%(numpy.ravel(Xx).size,i+1,Xn.size))
100         elif len(self._parameters["SampleAsExplicitHyperCube"]) > 0:
101             sampleList = itertools.product(*list(self._parameters["SampleAsExplicitHyperCube"]))
102         elif len(self._parameters["SampleAsMinMaxStepHyperCube"]) > 0:
103             coordinatesList = []
104             for i,dim in enumerate(self._parameters["SampleAsMinMaxStepHyperCube"]):
105                 if len(dim) != 3:
106                     raise ValueError("For dimension %i, the variable definition \"%s\" is incorrect, it should be [min,max,step]."%(i,dim))
107                 else:
108                     coordinatesList.append(numpy.linspace(dim[0],dim[1],1+int((float(dim[1])-float(dim[0]))/float(dim[2]))))
109             sampleList = itertools.product(*coordinatesList)
110         elif len(self._parameters["SampleAsIndependantRandomVariables"]) > 0:
111             coordinatesList = []
112             for i,dim in enumerate(self._parameters["SampleAsIndependantRandomVariables"]):
113                 if len(dim) != 3:
114                     raise ValueError("For dimension %i, the variable definition \"%s\" is incorrect, it should be ('distribution',(parameters),length) with distribution in ['normal'(mean,std),'lognormal'(mean,sigma),'uniform'(low,high),'weibull'(shape)]."%(i,dim))
115                 elif not( str(dim[0]) in ['normal','lognormal','uniform','weibull'] and hasattr(numpy.random,dim[0]) ):
116                     raise ValueError("For dimension %i, the distribution name \"%s\" is not allowed, please choose in ['normal'(mean,std),'lognormal'(mean,sigma),'uniform'(low,high),'weibull'(shape)]"%(i,dim[0]))
117                 else:
118                     distribution = getattr(numpy.random,str(dim[0]),'normal')
119                     parameters   = dim[1]
120                     coordinatesList.append(distribution(*dim[1], size=max(1,int(dim[2]))))
121             sampleList = itertools.product(*coordinatesList)
122         else:
123             sampleList = iter([Xn,])
124         # ----------
125         BI = B.getI()
126         RI = R.getI()
127         def CostFunction(x, HmX, QualityMeasure="AugmentedWeightedLeastSquares"):
128             if numpy.any(numpy.isnan(HmX)):
129                 _X  = numpy.nan
130                 _HX = numpy.nan
131                 Jb, Jo, J = numpy.nan, numpy.nan, numpy.nan
132             else:
133                 _X  = numpy.asmatrix(numpy.ravel( x )).T
134                 _HX = numpy.asmatrix(numpy.ravel( HmX )).T
135                 if QualityMeasure in ["AugmentedWeightedLeastSquares","AWLS","AugmentedPonderatedLeastSquares","APLS","DA"]:
136                     if BI is None or RI is None:
137                         raise ValueError("Background and Observation error covariance matrix has to be properly defined!")
138                     Jb  = 0.5 * (_X - Xb).T * BI * (_X - Xb)
139                     Jo  = 0.5 * (Y - _HX).T * RI * (Y - _HX)
140                 elif QualityMeasure in ["WeightedLeastSquares","WLS","PonderatedLeastSquares","PLS"]:
141                     if RI is None:
142                         raise ValueError("Observation error covariance matrix has to be properly defined!")
143                     Jb  = 0.
144                     Jo  = 0.5 * (Y - _HX).T * RI * (Y - _HX)
145                 elif QualityMeasure in ["LeastSquares","LS","L2"]:
146                     Jb  = 0.
147                     Jo  = 0.5 * (Y - _HX).T * (Y - _HX)
148                 elif QualityMeasure in ["AbsoluteValue","L1"]:
149                     Jb  = 0.
150                     Jo  = numpy.sum( numpy.abs(Y - _HX) )
151                 elif QualityMeasure in ["MaximumError","ME"]:
152                     Jb  = 0.
153                     Jo  = numpy.max( numpy.abs(Y - _HX) )
154                 #
155                 J   = float( Jb ) + float( Jo )
156             if "CurrentState" in self._parameters["StoreSupplementaryCalculations"]:
157                 self.StoredVariables["CurrentState"].store( _X )
158             if "InnovationAtCurrentState" in self._parameters["StoreSupplementaryCalculations"]:
159                 self.StoredVariables["InnovationAtCurrentState"].store( Y - _HX )
160             if "SimulatedObservationAtCurrentState" in self._parameters["StoreSupplementaryCalculations"]:
161                 self.StoredVariables["SimulatedObservationAtCurrentState"].store( _HX )
162             self.StoredVariables["CostFunctionJb"].store( Jb )
163             self.StoredVariables["CostFunctionJo"].store( Jo )
164             self.StoredVariables["CostFunctionJ" ].store( J )
165             return J, Jb, Jo
166         # ----------
167         if self._parameters["SetDebug"]:
168             CUR_LEVEL = logging.getLogger().getEffectiveLevel()
169             logging.getLogger().setLevel(logging.DEBUG)
170             print("===> Beginning of evaluation, activating debug\n")
171             print("     %s\n"%("-"*75,))
172         #
173         # ----------
174         for i,Xx in enumerate(sampleList):
175             if self._parameters["SetDebug"]:
176                 print("===> Launching evaluation for state %i"%i)
177             __Xn = numpy.asmatrix(numpy.ravel( Xx )).T
178             try:
179                 Yn = Hm( __Xn )
180             except:
181                 Yn = numpy.nan
182             #
183             J, Jb, Jo = CostFunction(__Xn,Yn,self._parameters["QualityCriterion"])
184         # ----------
185         #
186         if self._parameters["SetDebug"]:
187             print("\n     %s\n"%("-"*75,))
188             print("===> End evaluation, deactivating debug if necessary\n")
189             logging.getLogger().setLevel(CUR_LEVEL)
190         #
191         self._post_run(HO)
192         return 0
193
194 # ==============================================================================
195 if __name__ == "__main__":
196     print '\n AUTODIAGNOSTIC \n'