Salome HOME
Updating copyright date information (1)
[modules/adao.git] / src / daComposant / daAlgorithms / SamplingTest.py
1 # -*- coding: utf-8 -*-
2 #
3 # Copyright (C) 2008-2018 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", "CostFunctionJb", "CostFunctionJo","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         self.requireInputArguments(
85             mandatory= ("Xb", "HO"),
86             )
87
88     def run(self, Xb=None, Y=None, U=None, HO=None, EM=None, CM=None, R=None, B=None, Q=None, Parameters=None):
89         self._pre_run(Parameters, Xb, Y, R, B, Q)
90         #
91         Hm = HO["Direct"].appliedTo
92         #
93         Xn = copy.copy( Xb )
94         #
95         # ---------------------------
96         if len(self._parameters["SampleAsnUplet"]) > 0:
97             sampleList = self._parameters["SampleAsnUplet"]
98             for i,Xx in enumerate(sampleList):
99                 if numpy.ravel(Xx).size != Xn.size:
100                     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))
101         elif len(self._parameters["SampleAsExplicitHyperCube"]) > 0:
102             sampleList = itertools.product(*list(self._parameters["SampleAsExplicitHyperCube"]))
103         elif len(self._parameters["SampleAsMinMaxStepHyperCube"]) > 0:
104             coordinatesList = []
105             for i,dim in enumerate(self._parameters["SampleAsMinMaxStepHyperCube"]):
106                 if len(dim) != 3:
107                     raise ValueError("For dimension %i, the variable definition \"%s\" is incorrect, it should be [min,max,step]."%(i,dim))
108                 else:
109                     coordinatesList.append(numpy.linspace(dim[0],dim[1],1+int((float(dim[1])-float(dim[0]))/float(dim[2]))))
110             sampleList = itertools.product(*coordinatesList)
111         elif len(self._parameters["SampleAsIndependantRandomVariables"]) > 0:
112             coordinatesList = []
113             for i,dim in enumerate(self._parameters["SampleAsIndependantRandomVariables"]):
114                 if len(dim) != 3:
115                     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))
116                 elif not( str(dim[0]) in ['normal','lognormal','uniform','weibull'] and hasattr(numpy.random,dim[0]) ):
117                     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]))
118                 else:
119                     distribution = getattr(numpy.random,str(dim[0]),'normal')
120                     parameters   = dim[1]
121                     coordinatesList.append(distribution(*dim[1], size=max(1,int(dim[2]))))
122             sampleList = itertools.product(*coordinatesList)
123         else:
124             sampleList = iter([Xn,])
125         # ----------
126         BI = B.getI()
127         RI = R.getI()
128         def CostFunction(x, HmX, QualityMeasure="AugmentedWeightedLeastSquares"):
129             if numpy.any(numpy.isnan(HmX)):
130                 _X  = numpy.nan
131                 _HX = numpy.nan
132                 Jb, Jo, J = numpy.nan, numpy.nan, numpy.nan
133             else:
134                 _X  = numpy.asmatrix(numpy.ravel( x )).T
135                 _HX = numpy.asmatrix(numpy.ravel( HmX )).T
136                 if QualityMeasure in ["AugmentedWeightedLeastSquares","AWLS","AugmentedPonderatedLeastSquares","APLS","DA"]:
137                     if BI is None or RI is None:
138                         raise ValueError("Background and Observation error covariance matrix has to be properly defined!")
139                     Jb  = 0.5 * (_X - Xb).T * BI * (_X - Xb)
140                     Jo  = 0.5 * (Y - _HX).T * RI * (Y - _HX)
141                 elif QualityMeasure in ["WeightedLeastSquares","WLS","PonderatedLeastSquares","PLS"]:
142                     if RI is None:
143                         raise ValueError("Observation error covariance matrix has to be properly defined!")
144                     Jb  = 0.
145                     Jo  = 0.5 * (Y - _HX).T * RI * (Y - _HX)
146                 elif QualityMeasure in ["LeastSquares","LS","L2"]:
147                     Jb  = 0.
148                     Jo  = 0.5 * (Y - _HX).T * (Y - _HX)
149                 elif QualityMeasure in ["AbsoluteValue","L1"]:
150                     Jb  = 0.
151                     Jo  = numpy.sum( numpy.abs(Y - _HX) )
152                 elif QualityMeasure in ["MaximumError","ME"]:
153                     Jb  = 0.
154                     Jo  = numpy.max( numpy.abs(Y - _HX) )
155                 #
156                 J   = float( Jb ) + float( Jo )
157             if "CurrentState" in self._parameters["StoreSupplementaryCalculations"]:
158                 self.StoredVariables["CurrentState"].store( _X )
159             if "InnovationAtCurrentState" in self._parameters["StoreSupplementaryCalculations"]:
160                 self.StoredVariables["InnovationAtCurrentState"].store( Y - _HX )
161             if "SimulatedObservationAtCurrentState" in self._parameters["StoreSupplementaryCalculations"]:
162                 self.StoredVariables["SimulatedObservationAtCurrentState"].store( _HX )
163             self.StoredVariables["CostFunctionJb"].store( Jb )
164             self.StoredVariables["CostFunctionJo"].store( Jo )
165             self.StoredVariables["CostFunctionJ" ].store( J )
166             return J, Jb, Jo
167         # ----------
168         if self._parameters["SetDebug"]:
169             CUR_LEVEL = logging.getLogger().getEffectiveLevel()
170             logging.getLogger().setLevel(logging.DEBUG)
171             print("===> Beginning of evaluation, activating debug\n")
172             print("     %s\n"%("-"*75,))
173         #
174         # ----------
175         for i,Xx in enumerate(sampleList):
176             if self._parameters["SetDebug"]:
177                 print("===> Launching evaluation for state %i"%i)
178             __Xn = numpy.asmatrix(numpy.ravel( Xx )).T
179             try:
180                 Yn = Hm( __Xn )
181             except:
182                 Yn = numpy.nan
183             #
184             J, Jb, Jo = CostFunction(__Xn,Yn,self._parameters["QualityCriterion"])
185         # ----------
186         #
187         if self._parameters["SetDebug"]:
188             print("\n     %s\n"%("-"*75,))
189             print("===> End evaluation, deactivating debug if necessary\n")
190             logging.getLogger().setLevel(CUR_LEVEL)
191         #
192         self._post_run(HO)
193         return 0
194
195 # ==============================================================================
196 if __name__ == "__main__":
197     print('\n AUTODIAGNOSTIC \n')