Salome HOME
23339: [CEA 1944] PreCAD is not called when an advanced PreCAD option is activated
[plugins/blsurfplugin.git] / src / BLSURFPlugin / BLSURFPlugin_BLSURF.cxx
1 // Copyright (C) 2007-2016  CEA/DEN, EDF R&D
2 //
3 // This library is free software; you can redistribute it and/or
4 // modify it under the terms of the GNU Lesser General Public
5 // License as published by the Free Software Foundation; either
6 // version 2.1 of the License, or (at your option) any later version.
7 //
8 // This library is distributed in the hope that it will be useful,
9 // but WITHOUT ANY WARRANTY; without even the implied warranty of
10 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
11 // Lesser General Public License for more details.
12 //
13 // You should have received a copy of the GNU Lesser General Public
14 // License along with this library; if not, write to the Free Software
15 // Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307 USA
16 //
17 // See http://www.salome-platform.org/ or email : webmaster.salome@opencascade.com
18 //
19
20 // ---
21 // File    : BLSURFPlugin_BLSURF.cxx
22 // Authors : Francis KLOSS (OCC) & Patrick LAUG (INRIA) & Lioka RAZAFINDRAZAKA (CEA)
23 //           & Aurelien ALLEAUME (DISTENE)
24 //           Size maps developement: Nicolas GEIMER (OCC) & Gilles DAVID (EURIWARE)
25 // ---
26
27 #include "BLSURFPlugin_BLSURF.hxx"
28 #include "BLSURFPlugin_Hypothesis.hxx"
29 #include "BLSURFPlugin_Attractor.hxx"
30
31 extern "C"{
32 #include <meshgems/meshgems.h>
33 #include <meshgems/cadsurf.h>
34 }
35
36 #include <structmember.h>
37
38
39 #include <Basics_Utils.hxx>
40 #include <Basics_OCCTVersion.hxx>
41
42 #include <SMDS_EdgePosition.hxx>
43 #include <SMESHDS_Group.hxx>
44 #include <SMESH_Gen.hxx>
45 #include <SMESH_Group.hxx>
46 #include <SMESH_Mesh.hxx>
47 #include <SMESH_MeshEditor.hxx>
48 #include <SMESH_MesherHelper.hxx>
49 #include <StdMeshers_FaceSide.hxx>
50 #include <StdMeshers_ViscousLayers2D.hxx>
51 #include <SMESH_File.hxx>
52
53 #include <utilities.h>
54
55 #include <limits>
56 #include <list>
57 #include <vector>
58 #include <set>
59 #include <cstdlib>
60
61 // OPENCASCADE includes
62 #include <BRepBuilderAPI_MakeFace.hxx>
63 #include <BRepBuilderAPI_MakePolygon.hxx>
64 //#include <BRepBuilderAPI_MakeVertex.hxx>
65 #include <BRepGProp.hxx>
66 #include <BRepTools.hxx>
67 #include <BRep_Builder.hxx>
68 #include <BRep_Tool.hxx>
69 #include <GProp_GProps.hxx>
70 #include <Geom2d_Curve.hxx>
71 #include <GeomAPI_ProjectPointOnCurve.hxx>
72 #include <GeomAPI_ProjectPointOnSurf.hxx>
73 #include <Geom_Curve.hxx>
74 #include <Geom_Surface.hxx>
75 #include <NCollection_Map.hxx>
76 #include <Standard_ErrorHandler.hxx>
77 #include <TopExp.hxx>
78 #include <TopExp_Explorer.hxx>
79 #include <TopTools_DataMapOfShapeInteger.hxx>
80 #include <TopTools_IndexedMapOfShape.hxx>
81 #include <TopTools_MapOfShape.hxx>
82 #include <TopoDS.hxx>
83 #include <TopoDS_Compound.hxx>
84 #include <TopoDS_Edge.hxx>
85 #include <TopoDS_Face.hxx>
86 #include <TopoDS_Shape.hxx>
87 #include <TopoDS_Vertex.hxx>
88 #include <TopoDS_Wire.hxx>
89 #include <gp_Pnt.hxx>
90 #include <gp_Pnt2d.hxx>
91 #include <gp_XY.hxx>
92 #include <gp_XYZ.hxx>
93
94 #ifndef WIN32
95 #include <fenv.h>
96 #endif
97
98 using namespace std;
99
100 /* ==================================
101  * ===========  PYTHON ==============
102  * ==================================*/
103
104 namespace
105 {
106   typedef struct {
107     PyObject_HEAD
108     int softspace;
109     std::string *out;
110     } PyStdOut;
111
112   static void
113   PyStdOut_dealloc(PyStdOut *self)
114   {
115     PyObject_Del(self);
116   }
117
118   static PyObject *
119   PyStdOut_write(PyStdOut *self, PyObject *args)
120   {
121     char *c;
122     int l;
123     if (!PyArg_ParseTuple(args, "t#:write",&c, &l))
124       return NULL;
125
126     *(self->out)=*(self->out)+c;
127
128     Py_INCREF(Py_None);
129     return Py_None;
130   }
131
132   static PyMethodDef PyStdOut_methods[] = {
133     {"write",  (PyCFunction)PyStdOut_write,  METH_VARARGS,
134       PyDoc_STR("write(string) -> None")},
135     {NULL,    NULL}   /* sentinel */
136   };
137
138   static PyMemberDef PyStdOut_memberlist[] = {
139     {(char*)"softspace", T_INT,  offsetof(PyStdOut, softspace), 0,
140      (char*)"flag indicating that a space needs to be printed; used by print"},
141     {NULL} /* Sentinel */
142   };
143
144   static PyTypeObject PyStdOut_Type = {
145     /* The ob_type field must be initialized in the module init function
146      * to be portable to Windows without using C++. */
147     PyObject_HEAD_INIT(NULL)
148     0,                            /*ob_size*/
149     "PyOut",                      /*tp_name*/
150     sizeof(PyStdOut),             /*tp_basicsize*/
151     0,                            /*tp_itemsize*/
152     /* methods */
153     (destructor)PyStdOut_dealloc, /*tp_dealloc*/
154     0,                            /*tp_print*/
155     0,                            /*tp_getattr*/
156     0,                            /*tp_setattr*/
157     0,                            /*tp_compare*/
158     0,                            /*tp_repr*/
159     0,                            /*tp_as_number*/
160     0,                            /*tp_as_sequence*/
161     0,                            /*tp_as_mapping*/
162     0,                            /*tp_hash*/
163     0,                            /*tp_call*/
164     0,                            /*tp_str*/
165     PyObject_GenericGetAttr,      /*tp_getattro*/
166     /* softspace is writable:  we must supply tp_setattro */
167     PyObject_GenericSetAttr,      /* tp_setattro */
168     0,                            /*tp_as_buffer*/
169     Py_TPFLAGS_DEFAULT,           /*tp_flags*/
170     0,                            /*tp_doc*/
171     0,                            /*tp_traverse*/
172     0,                            /*tp_clear*/
173     0,                            /*tp_richcompare*/
174     0,                            /*tp_weaklistoffset*/
175     0,                            /*tp_iter*/
176     0,                            /*tp_iternext*/
177     PyStdOut_methods,             /*tp_methods*/
178     PyStdOut_memberlist,          /*tp_members*/
179     0,                            /*tp_getset*/
180     0,                            /*tp_base*/
181     0,                            /*tp_dict*/
182     0,                            /*tp_descr_get*/
183     0,                            /*tp_descr_set*/
184     0,                            /*tp_dictoffset*/
185     0,                            /*tp_init*/
186     0,                            /*tp_alloc*/
187     0,                            /*tp_new*/
188     0,                            /*tp_free*/
189     0,                            /*tp_is_gc*/
190   };
191
192   PyObject * newPyStdOut( std::string& out )
193   {
194     PyStdOut* self = PyObject_New(PyStdOut, &PyStdOut_Type);
195     if (self) {
196       self->softspace = 0;
197       self->out=&out;
198     }
199     return (PyObject*)self;
200   }
201 }
202
203
204 ////////////////////////END PYTHON///////////////////////////
205
206 //////////////////MY MAPS////////////////////////////////////////
207 namespace {
208 TopTools_IndexedMapOfShape FacesWithSizeMap;
209 std::map<int,string> FaceId2SizeMap;
210 TopTools_IndexedMapOfShape EdgesWithSizeMap;
211 std::map<int,string> EdgeId2SizeMap;
212 TopTools_IndexedMapOfShape VerticesWithSizeMap;
213 std::map<int,string> VertexId2SizeMap;
214
215 std::map<int,PyObject*> FaceId2PythonSmp;
216 std::map<int,PyObject*> EdgeId2PythonSmp;
217 std::map<int,PyObject*> VertexId2PythonSmp;
218
219 typedef std::map<int, std::vector< BLSURFPlugin_Attractor* > > TId2ClsAttractorVec;
220 TId2ClsAttractorVec FaceId2ClassAttractor;
221 TId2ClsAttractorVec FaceIndex2ClassAttractor;
222 std::map<int,std::vector<double> > FaceId2AttractorCoords;
223 int theNbAttractors;
224
225 TopTools_IndexedMapOfShape FacesWithEnforcedVertices;
226 std::map< int, BLSURFPlugin_Hypothesis::TEnfVertexCoordsList > FaceId2EnforcedVertexCoords;
227 std::map< BLSURFPlugin_Hypothesis::TEnfVertexCoords, BLSURFPlugin_Hypothesis::TEnfVertexCoords > EnfVertexCoords2ProjVertex;
228 std::map< BLSURFPlugin_Hypothesis::TEnfVertexCoords, BLSURFPlugin_Hypothesis::TEnfVertexList > EnfVertexCoords2EnfVertexList;
229
230 bool HasSizeMapOnFace=false;
231 bool HasSizeMapOnEdge=false;
232 bool HasSizeMapOnVertex=false;
233 //bool HasAttractorOnFace=false;
234 }
235 //=============================================================================
236 /*!
237  *
238  */
239 //=============================================================================
240
241 BLSURFPlugin_BLSURF::BLSURFPlugin_BLSURF(int hypId, int studyId,
242                                                SMESH_Gen* gen)
243   : SMESH_2D_Algo(hypId, studyId, gen)
244 {
245   MESSAGE("BLSURFPlugin_BLSURF::BLSURFPlugin_BLSURF");
246
247   _name = "MG-CADSurf";//"BLSURF";
248   _shapeType = (1 << TopAbs_FACE); // 1 bit /shape type
249   _compatibleHypothesis.push_back(BLSURFPlugin_Hypothesis::GetHypType());
250   _compatibleHypothesis.push_back(StdMeshers_ViscousLayers2D::GetHypType());
251   _requireDiscreteBoundary = false;
252   _onlyUnaryInput = false;
253   _hypothesis = NULL;
254   _supportSubmeshes = true;
255
256   smeshGen_i = SMESH_Gen_i::GetSMESHGen();
257   CORBA::Object_var anObject = smeshGen_i->GetNS()->Resolve("/myStudyManager");
258   SALOMEDS::StudyManager_var aStudyMgr = SALOMEDS::StudyManager::_narrow(anObject);
259
260   MESSAGE("studyid = " << _studyId);
261
262   myStudy = NULL;
263   myStudy = aStudyMgr->GetStudyByID(_studyId);
264   if ( !myStudy->_is_nil() )
265     MESSAGE("myStudy->StudyId() = " << myStudy->StudyId());
266
267   /* Initialize the Python interpreter */
268   assert(Py_IsInitialized());
269   PyGILState_STATE gstate;
270   gstate = PyGILState_Ensure();
271
272   main_mod = NULL;
273   main_mod = PyImport_AddModule("__main__");
274
275   main_dict = NULL;
276   main_dict = PyModule_GetDict(main_mod);
277
278   PyRun_SimpleString("from math import *");
279   PyGILState_Release(gstate);
280
281   FacesWithSizeMap.Clear();
282   FaceId2SizeMap.clear();
283   EdgesWithSizeMap.Clear();
284   EdgeId2SizeMap.clear();
285   VerticesWithSizeMap.Clear();
286   VertexId2SizeMap.clear();
287   FaceId2PythonSmp.clear();
288   EdgeId2PythonSmp.clear();
289   VertexId2PythonSmp.clear();
290   FaceId2AttractorCoords.clear();
291   FaceId2ClassAttractor.clear();
292   FaceIndex2ClassAttractor.clear();
293   FacesWithEnforcedVertices.Clear();
294   FaceId2EnforcedVertexCoords.clear();
295   EnfVertexCoords2ProjVertex.clear();
296   EnfVertexCoords2EnfVertexList.clear();
297
298   _compute_canceled = false;
299 }
300
301 //=============================================================================
302 /*!
303  *
304  */
305 //=============================================================================
306
307 BLSURFPlugin_BLSURF::~BLSURFPlugin_BLSURF()
308 {
309   MESSAGE("BLSURFPlugin_BLSURF::~BLSURFPlugin_BLSURF");
310 }
311
312
313 //=============================================================================
314 /*!
315  *
316  */
317 //=============================================================================
318
319 bool BLSURFPlugin_BLSURF::CheckHypothesis
320                          (SMESH_Mesh&                          aMesh,
321                           const TopoDS_Shape&                  aShape,
322                           SMESH_Hypothesis::Hypothesis_Status& aStatus)
323 {
324   _hypothesis        = NULL;
325   _haveViscousLayers = false;
326
327   list<const SMESHDS_Hypothesis*>::const_iterator itl;
328   const SMESHDS_Hypothesis* theHyp;
329
330   const list<const SMESHDS_Hypothesis*>& hyps = GetUsedHypothesis(aMesh, aShape,
331                                                                   /*ignoreAuxiliary=*/false);
332   aStatus = SMESH_Hypothesis::HYP_OK;
333   if ( hyps.empty() )
334   {
335     return true;  // can work with no hypothesis
336   }
337
338   for ( itl = hyps.begin(); itl != hyps.end() && ( aStatus == HYP_OK ); ++itl )
339   {
340     theHyp = *itl;
341     string hypName = theHyp->GetName();
342     if ( hypName == BLSURFPlugin_Hypothesis::GetHypType() )
343     {
344       _hypothesis = static_cast<const BLSURFPlugin_Hypothesis*> (theHyp);
345       ASSERT(_hypothesis);
346       if ( _hypothesis->GetPhysicalMesh() == BLSURFPlugin_Hypothesis::DefaultSize &&
347            _hypothesis->GetGeometricMesh() == BLSURFPlugin_Hypothesis::DefaultGeom )
348         //  hphy_flag = 0 and hgeo_flag = 0 is not allowed (spec)
349         aStatus = SMESH_Hypothesis::HYP_BAD_PARAMETER;
350     }
351     else if ( hypName == StdMeshers_ViscousLayers2D::GetHypType() )
352     {
353       if ( !_haveViscousLayers )
354       {
355         if ( error( StdMeshers_ViscousLayers2D::CheckHypothesis( aMesh, aShape, aStatus )))
356           _haveViscousLayers = true;
357       }
358     }
359     else
360     {
361       aStatus = SMESH_Hypothesis::HYP_INCOMPATIBLE;
362     }
363   }
364   return aStatus == SMESH_Hypothesis::HYP_OK;
365 }
366
367 //=============================================================================
368 /*!
369  * Pass parameters to MG-CADSurf
370  */
371 //=============================================================================
372
373 inline std::string val_to_string(double d)
374 {
375    std::ostringstream o;
376    o << d;
377    return o.str();
378 }
379
380 inline std::string val_to_string_rel(double d)
381 {
382    std::ostringstream o;
383    o << d;
384    o << 'r';
385    return o.str();
386 }
387
388 inline std::string val_to_string(int i)
389 {
390    std::ostringstream o;
391    o << i;
392    return o.str();
393 }
394
395 inline std::string val_to_string_rel(int i)
396 {
397    std::ostringstream o;
398    o << i;
399    o << 'r';
400    return o.str();
401 }
402
403 double _smp_phy_size;
404 status_t size_on_surface(integer face_id, real *uv, real *size, void *user_data);
405 status_t size_on_edge(integer edge_id, real t, real *size, void *user_data);
406 status_t size_on_vertex(integer vertex_id, real *size, void *user_data);
407
408 typedef struct {
409         gp_XY uv;
410         gp_XYZ xyz;
411 } projectionPoint;
412 /////////////////////////////////////////////////////////
413 projectionPoint getProjectionPoint(const TopoDS_Face& face, const gp_Pnt& point)
414 {
415   projectionPoint myPoint;
416   Handle(Geom_Surface) surface = BRep_Tool::Surface(face);
417   GeomAPI_ProjectPointOnSurf projector( point, surface );
418   if ( !projector.IsDone() || projector.NbPoints()==0 )
419     throw "getProjectionPoint: Can't project";
420
421   Quantity_Parameter u,v;
422   projector.LowerDistanceParameters(u,v);
423   myPoint.uv = gp_XY(u,v);
424   gp_Pnt aPnt = projector.NearestPoint();
425   myPoint.xyz = gp_XYZ(aPnt.X(),aPnt.Y(),aPnt.Z());
426   //return gp_XY(u,v);
427   return myPoint;
428 }
429 /////////////////////////////////////////////////////////
430
431 /////////////////////////////////////////////////////////
432 double getT(const TopoDS_Edge& edge, const gp_Pnt& point)
433 {
434   Standard_Real f,l;
435   Handle(Geom_Curve) curve = BRep_Tool::Curve(edge, f,l);
436   GeomAPI_ProjectPointOnCurve projector( point, curve);
437   if ( projector.NbPoints() == 0 )
438     throw;
439   return projector.LowerDistanceParameter();
440 }
441
442 /////////////////////////////////////////////////////////
443 TopoDS_Shape BLSURFPlugin_BLSURF::entryToShape(std::string entry)
444 {
445   MESSAGE("BLSURFPlugin_BLSURF::entryToShape "<<entry );
446   GEOM::GEOM_Object_var aGeomObj;
447   TopoDS_Shape S = TopoDS_Shape();
448   SALOMEDS::SObject_var aSObj = myStudy->FindObjectID( entry.c_str() );
449   if (!aSObj->_is_nil()) {
450     CORBA::Object_var obj = aSObj->GetObject();
451     aGeomObj = GEOM::GEOM_Object::_narrow(obj);
452     aSObj->UnRegister();
453   }
454   if ( !aGeomObj->_is_nil() )
455     S = smeshGen_i->GeomObjectToShape( aGeomObj.in() );
456   return S;
457 }
458
459 void _createEnforcedVertexOnFace(TopoDS_Face faceShape, gp_Pnt aPnt, BLSURFPlugin_Hypothesis::TEnfVertex *enfVertex)
460 {
461   BLSURFPlugin_Hypothesis::TEnfVertexCoords enf_coords, coords, s_coords;
462   enf_coords.clear();
463   coords.clear();
464   s_coords.clear();
465
466   // Get the (u,v) values of the enforced vertex on the face
467   projectionPoint myPoint = getProjectionPoint(faceShape,aPnt);
468
469   MESSAGE("Enforced Vertex: " << aPnt.X() << ", " << aPnt.Y() << ", " << aPnt.Z());
470   MESSAGE("Projected Vertex: " << myPoint.xyz.X() << ", " << myPoint.xyz.Y() << ", " << myPoint.xyz.Z());
471   MESSAGE("Parametric coordinates: " << myPoint.uv.X() << ", " << myPoint.uv.Y() );
472
473   enf_coords.push_back(aPnt.X());
474   enf_coords.push_back(aPnt.Y());
475   enf_coords.push_back(aPnt.Z());
476
477   coords.push_back(myPoint.uv.X());
478   coords.push_back(myPoint.uv.Y());
479   coords.push_back(myPoint.xyz.X());
480   coords.push_back(myPoint.xyz.Y());
481   coords.push_back(myPoint.xyz.Z());
482
483   s_coords.push_back(myPoint.xyz.X());
484   s_coords.push_back(myPoint.xyz.Y());
485   s_coords.push_back(myPoint.xyz.Z());
486
487   // Save pair projected vertex / enf vertex
488   MESSAGE("Storing pair projected vertex / enf vertex:");
489   MESSAGE("("<< myPoint.xyz.X() << ", " << myPoint.xyz.Y() << ", " << myPoint.xyz.Z() <<") / (" << aPnt.X() << ", " << aPnt.Y() << ", " << aPnt.Z()<<")");
490   EnfVertexCoords2ProjVertex[s_coords] = enf_coords;
491   MESSAGE("Group name is: \"" << enfVertex->grpName << "\"");
492   pair<BLSURFPlugin_Hypothesis::TEnfVertexList::iterator,bool> ret;
493   BLSURFPlugin_Hypothesis::TEnfVertexList::iterator it;
494   ret = EnfVertexCoords2EnfVertexList[s_coords].insert(enfVertex);
495   if (ret.second == false) {
496     it = ret.first;
497     (*it)->grpName = enfVertex->grpName;
498   }
499
500   int key = 0;
501   if (! FacesWithEnforcedVertices.Contains(faceShape)) {
502     key = FacesWithEnforcedVertices.Add(faceShape);
503   }
504   else {
505     key = FacesWithEnforcedVertices.FindIndex(faceShape);
506   }
507
508   // If a node is already created by an attractor, do not create enforced vertex
509   int attractorKey = FacesWithSizeMap.FindIndex(faceShape);
510   bool sameAttractor = false;
511   if (attractorKey >= 0)
512     if (FaceId2AttractorCoords.count(attractorKey) > 0)
513       if (FaceId2AttractorCoords[attractorKey] == coords)
514         sameAttractor = true;
515
516   if (FaceId2EnforcedVertexCoords.find(key) != FaceId2EnforcedVertexCoords.end()) {
517     MESSAGE("Map of enf. vertex has key " << key)
518     MESSAGE("Enf. vertex list size is: " << FaceId2EnforcedVertexCoords[key].size())
519     if (! sameAttractor)
520       FaceId2EnforcedVertexCoords[key].insert(coords); // there should be no redondant coords here (see std::set management)
521     else
522       MESSAGE("An attractor node is already defined: I don't add the enforced vertex");
523     MESSAGE("New Enf. vertex list size is: " << FaceId2EnforcedVertexCoords[key].size())
524   }
525   else {
526     MESSAGE("Map of enf. vertex has not key " << key << ": creating it")
527     if (! sameAttractor) {
528       BLSURFPlugin_Hypothesis::TEnfVertexCoordsList ens;
529       ens.insert(coords);
530       FaceId2EnforcedVertexCoords[key] = ens;
531     }
532     else
533       MESSAGE("An attractor node is already defined: I don't add the enforced vertex");
534   }
535 }
536
537 /////////////////////////////////////////////////////////
538 void BLSURFPlugin_BLSURF::createEnforcedVertexOnFace(TopoDS_Shape faceShape, BLSURFPlugin_Hypothesis::TEnfVertexList enfVertexList)
539 {
540   BLSURFPlugin_Hypothesis::TEnfVertex* enfVertex;
541   gp_Pnt aPnt;
542
543   BLSURFPlugin_Hypothesis::TEnfVertexList::const_iterator enfVertexListIt = enfVertexList.begin();
544
545   for( ; enfVertexListIt != enfVertexList.end() ; ++enfVertexListIt ) {
546     enfVertex = *enfVertexListIt;
547     // Case of manual coords
548     if (enfVertex->coords.size() != 0) {
549       aPnt.SetCoord(enfVertex->coords[0],enfVertex->coords[1],enfVertex->coords[2]);
550       _createEnforcedVertexOnFace( TopoDS::Face(faceShape),  aPnt, enfVertex);
551     }
552
553     // Case of geom vertex coords
554     if (enfVertex->geomEntry != "") {
555       TopoDS_Shape GeomShape = entryToShape(enfVertex->geomEntry);
556       TopAbs_ShapeEnum GeomType  = GeomShape.ShapeType();
557        if (GeomType == TopAbs_VERTEX){
558          aPnt = BRep_Tool::Pnt(TopoDS::Vertex(GeomShape));
559          _createEnforcedVertexOnFace( TopoDS::Face(faceShape),  aPnt, enfVertex);
560        }
561        // Group Management
562        if (GeomType == TopAbs_COMPOUND){
563          for (TopoDS_Iterator it (GeomShape); it.More(); it.Next()){
564            if (it.Value().ShapeType() == TopAbs_VERTEX){
565              aPnt = BRep_Tool::Pnt(TopoDS::Vertex(it.Value()));
566              _createEnforcedVertexOnFace( TopoDS::Face(faceShape),  aPnt, enfVertex);
567            }
568          }
569        }
570     }
571   }
572 }
573
574 /////////////////////////////////////////////////////////
575 void createAttractorOnFace(TopoDS_Shape GeomShape, std::string AttractorFunction, double defaultSize)
576 {
577   MESSAGE("Attractor function: "<< AttractorFunction);
578   double xa, ya, za; // Coordinates of attractor point
579   double a, b;       // Attractor parameter
580   double d = 0.;
581   bool createNode=false; // To create a node on attractor projection
582   size_t pos1, pos2;
583   const char *sep = ";";
584   // atIt->second has the following pattern:
585   // ATTRACTOR(xa;ya;za;a;b;True|False;d)
586   // where:
587   // xa;ya;za : coordinates of  attractor
588   // a        : desired size on attractor
589   // b        : distance of influence of attractor
590   // d        : distance until which the size remains constant
591   //
592   // We search the parameters in the string
593   // xa
594   pos1 = AttractorFunction.find(sep);
595   if (pos1!=string::npos)
596   xa = atof(AttractorFunction.substr(10, pos1-10).c_str());
597   // ya
598   pos2 = AttractorFunction.find(sep, pos1+1);
599   if (pos2!=string::npos) {
600   ya = atof(AttractorFunction.substr(pos1+1, pos2-pos1-1).c_str());
601   pos1 = pos2;
602   }
603   // za
604   pos2 = AttractorFunction.find(sep, pos1+1);
605   if (pos2!=string::npos) {
606   za = atof(AttractorFunction.substr(pos1+1, pos2-pos1-1).c_str());
607   pos1 = pos2;
608   }
609   // a
610   pos2 = AttractorFunction.find(sep, pos1+1);
611   if (pos2!=string::npos) {
612   a = atof(AttractorFunction.substr(pos1+1, pos2-pos1-1).c_str());
613   pos1 = pos2;
614   }
615   // b
616   pos2 = AttractorFunction.find(sep, pos1+1);
617   if (pos2!=string::npos) {
618   b = atof(AttractorFunction.substr(pos1+1, pos2-pos1-1).c_str());
619   pos1 = pos2;
620   }
621   // createNode
622   pos2 = AttractorFunction.find(sep, pos1+1);
623   if (pos2!=string::npos) {
624     string createNodeStr = AttractorFunction.substr(pos1+1, pos2-pos1-1);
625     MESSAGE("createNode: " << createNodeStr);
626     createNode = (AttractorFunction.substr(pos1+1, pos2-pos1-1) == "True");
627     pos1=pos2;
628   }
629   // d
630   pos2 = AttractorFunction.find(")");
631   if (pos2!=string::npos) {
632   d = atof(AttractorFunction.substr(pos1+1, pos2-pos1-1).c_str());
633   }
634
635   // Get the (u,v) values of the attractor on the face
636   projectionPoint myPoint = getProjectionPoint(TopoDS::Face(GeomShape),gp_Pnt(xa,ya,za));
637   gp_XY uvPoint = myPoint.uv;
638   gp_XYZ xyzPoint = myPoint.xyz;
639   Standard_Real u0 = uvPoint.X();
640   Standard_Real v0 = uvPoint.Y();
641   Standard_Real x0 = xyzPoint.X();
642   Standard_Real y0 = xyzPoint.Y();
643   Standard_Real z0 = xyzPoint.Z();
644   std::vector<double> coords;
645   coords.push_back(u0);
646   coords.push_back(v0);
647   coords.push_back(x0);
648   coords.push_back(y0);
649   coords.push_back(z0);
650   // We construct the python function
651   ostringstream attractorFunctionStream;
652   attractorFunctionStream << "def f(u,v): return ";
653   attractorFunctionStream << defaultSize << "-(" << defaultSize <<"-" << a << ")";
654   //attractorFunctionStream << "*exp(-((u-("<<u0<<"))*(u-("<<u0<<"))+(v-("<<v0<<"))*(v-("<<v0<<")))/(" << b << "*" << b <<"))";
655   // rnc: make possible to keep the size constant until
656   // a defined distance. Distance is expressed as the positiv part
657   // of r-d where r is the distance to (u0,v0)
658   attractorFunctionStream << "*exp(-(0.5*(sqrt((u-"<<u0<<")**2+(v-"<<v0<<")**2)-"<<d<<"+abs(sqrt((u-"<<u0<<")**2+(v-"<<v0<<")**2)-"<<d<<"))/(" << b << "))**2)";
659
660   MESSAGE("Python function for attractor:" << std::endl << attractorFunctionStream.str());
661
662   int key;
663   if (! FacesWithSizeMap.Contains(TopoDS::Face(GeomShape))) {
664     key = FacesWithSizeMap.Add(TopoDS::Face(GeomShape));
665   }
666   else {
667     key = FacesWithSizeMap.FindIndex(TopoDS::Face(GeomShape));
668   }
669   FaceId2SizeMap[key] =attractorFunctionStream.str();
670   if (createNode) {
671     MESSAGE("Creating node on ("<<x0<<","<<y0<<","<<z0<<")");
672     FaceId2AttractorCoords[key] = coords;
673   }
674 //   // Test for new attractors
675 //   gp_Pnt myP(xyzPoint);
676 //   TopoDS_Vertex myV = BRepBuilderAPI_MakeVertex(myP);
677 //   BLSURFPlugin_Attractor myAttractor(TopoDS::Face(GeomShape),myV,200);
678 //   myAttractor.SetParameters(a, defaultSize, b, d);
679 //   myAttractor.SetType(1);
680 //   FaceId2ClassAttractor[key] = myAttractor;
681 //   if(FaceId2ClassAttractor[key].GetFace().IsNull()){
682 //     MESSAGE("face nulle ");
683 //   }
684 //   else
685 //     MESSAGE("face OK");
686 //
687 //   if (FaceId2ClassAttractor[key].GetAttractorShape().IsNull()){
688 //     MESSAGE("pas de point");
689 //   }
690 //   else
691 //     MESSAGE("point OK");
692 }
693
694 // One sub-shape to get ids from
695 BLSURFPlugin_BLSURF::TListOfIDs _getSubShapeIDsInMainShape(TopoDS_Shape theMainShape, TopoDS_Shape theSubShape,
696     TopAbs_ShapeEnum theShapeType)
697 {
698   BLSURFPlugin_BLSURF::TListOfIDs face_ids;
699   TopTools_IndexedMapOfShape anIndices;
700   anIndices.Clear();
701   TopExp::MapShapes(theMainShape, theShapeType, anIndices);
702
703 //  Standard_Boolean result = BRepTools::Write(theMainShape,"main_shape.brep");
704
705   for (TopExp_Explorer face_iter(theSubShape,theShapeType);face_iter.More();face_iter.Next())
706     {
707       int face_id = anIndices.FindIndex(face_iter.Current());
708       if (face_id == 0)
709         throw SALOME_Exception ( SMESH_Comment("Sub_shape not found in main_shape"));
710       face_ids.push_back(face_id);
711 //      std::ostringstream o;
712 //      o << "face_" << face_id << ".brep";
713 //      std::string face_name = o.str();
714 //      const TopoDS_Face& face = TopoDS::Face(face_iter.Current());
715 //      Standard_Boolean result = BRepTools::Write(face,face_name.c_str());
716     }
717
718   return face_ids;
719 }
720
721 BLSURFPlugin_BLSURF::TListOfIDs _getSubShapeIDsInMainShape(SMESH_Mesh*      theMesh,
722                                                            TopoDS_Shape     theSubShape,
723                                                            TopAbs_ShapeEnum theShapeType)
724 {
725   BLSURFPlugin_BLSURF::TListOfIDs face_ids;
726
727   for (TopExp_Explorer face_iter(theSubShape,theShapeType);face_iter.More();face_iter.Next())
728   {
729     int face_id = theMesh->GetMeshDS()->ShapeToIndex(face_iter.Current());
730     if (face_id == 0)
731       throw SALOME_Exception ( SMESH_Comment("Sub_shape not found in main_shape"));
732     face_ids.push_back(face_id);
733   }
734
735   return face_ids;
736 }
737
738 void BLSURFPlugin_BLSURF::addCoordsFromVertices(const std::vector<std::string> &theVerticesEntries, std::vector<double> &theVerticesCoords)
739 {
740   for (std::vector<std::string>::const_iterator it = theVerticesEntries.begin(); it != theVerticesEntries.end(); it++)
741     {
742       BLSURFPlugin_Hypothesis::TEntry theVertexEntry = *it;
743       MESSAGE("Vertex entry " << theVertexEntry);
744       addCoordsFromVertex(theVertexEntry, theVerticesCoords);
745     }
746 }
747
748
749 void BLSURFPlugin_BLSURF::addCoordsFromVertex(BLSURFPlugin_Hypothesis::TEntry theVertexEntry, std::vector<double> &theVerticesCoords)
750 {
751   if (theVertexEntry!="")
752     {
753       TopoDS_Shape aShape = entryToShape(theVertexEntry);
754
755       gp_Pnt aPnt = BRep_Tool::Pnt( TopoDS::Vertex( aShape ) );
756       double theX, theY, theZ;
757       theX = aPnt.X();
758       theY = aPnt.Y();
759       theZ = aPnt.Z();
760
761       theVerticesCoords.push_back(theX);
762       theVerticesCoords.push_back(theY);
763       theVerticesCoords.push_back(theZ);
764     }
765 }
766
767 /////////////////////////////////////////////////////////
768 void BLSURFPlugin_BLSURF::createPreCadFacesPeriodicity(TopoDS_Shape theGeomShape, const BLSURFPlugin_Hypothesis::TPreCadPeriodicity &preCadPeriodicity)
769 {
770   MESSAGE("BLSURFPlugin_BLSURF::createPreCadFacesPeriodicity");
771
772   TopoDS_Shape geomShape1 = entryToShape(preCadPeriodicity.shape1Entry);
773   TopoDS_Shape geomShape2 = entryToShape(preCadPeriodicity.shape2Entry);
774
775   TListOfIDs theFace1_ids = _getSubShapeIDsInMainShape(theGeomShape, geomShape1, TopAbs_FACE);
776   TListOfIDs theFace2_ids = _getSubShapeIDsInMainShape(theGeomShape, geomShape2, TopAbs_FACE);
777
778   TPreCadPeriodicityIDs preCadFacesPeriodicityIDs;
779   preCadFacesPeriodicityIDs.shape1IDs = theFace1_ids;
780   preCadFacesPeriodicityIDs.shape2IDs = theFace2_ids;
781
782   MESSAGE("preCadPeriodicity.theSourceVerticesEntries.size(): " << preCadPeriodicity.theSourceVerticesEntries.size());
783   MESSAGE("preCadPeriodicity.theTargetVerticesEntries.size(): " << preCadPeriodicity.theTargetVerticesEntries.size());
784
785   addCoordsFromVertices(preCadPeriodicity.theSourceVerticesEntries, preCadFacesPeriodicityIDs.theSourceVerticesCoords);
786   addCoordsFromVertices(preCadPeriodicity.theTargetVerticesEntries, preCadFacesPeriodicityIDs.theTargetVerticesCoords);
787
788   MESSAGE("preCadFacesPeriodicityIDs.theSourceVerticesCoords.size(): " << preCadFacesPeriodicityIDs.theSourceVerticesCoords.size());
789   MESSAGE("preCadFacesPeriodicityIDs.theTargetVerticesCoords.size(): " << preCadFacesPeriodicityIDs.theTargetVerticesCoords.size());
790
791   _preCadFacesIDsPeriodicityVector.push_back(preCadFacesPeriodicityIDs);
792   MESSAGE("_preCadFacesIDsPeriodicityVector.size() = " << _preCadFacesIDsPeriodicityVector.size());
793   MESSAGE("BLSURFPlugin_BLSURF::createPreCadFacesPeriodicity END");
794
795 }
796
797 /////////////////////////////////////////////////////////
798 void BLSURFPlugin_BLSURF::createPreCadEdgesPeriodicity(TopoDS_Shape theGeomShape, const BLSURFPlugin_Hypothesis::TPreCadPeriodicity &preCadPeriodicity)
799 {
800   MESSAGE("BLSURFPlugin_BLSURF::createPreCadEdgesPeriodicity");
801
802   TopoDS_Shape geomShape1 = entryToShape(preCadPeriodicity.shape1Entry);
803   TopoDS_Shape geomShape2 = entryToShape(preCadPeriodicity.shape2Entry);
804
805   TListOfIDs theEdge1_ids = _getSubShapeIDsInMainShape(theGeomShape, geomShape1, TopAbs_EDGE);
806   TListOfIDs theEdge2_ids = _getSubShapeIDsInMainShape(theGeomShape, geomShape2, TopAbs_EDGE);
807
808   TPreCadPeriodicityIDs preCadEdgesPeriodicityIDs;
809   preCadEdgesPeriodicityIDs.shape1IDs = theEdge1_ids;
810   preCadEdgesPeriodicityIDs.shape2IDs = theEdge2_ids;
811
812   addCoordsFromVertices(preCadPeriodicity.theSourceVerticesEntries, preCadEdgesPeriodicityIDs.theSourceVerticesCoords);
813   addCoordsFromVertices(preCadPeriodicity.theTargetVerticesEntries, preCadEdgesPeriodicityIDs.theTargetVerticesCoords);
814
815   _preCadEdgesIDsPeriodicityVector.push_back(preCadEdgesPeriodicityIDs);
816   MESSAGE("_preCadEdgesIDsPeriodicityVector.size() = " << _preCadEdgesIDsPeriodicityVector.size());
817   MESSAGE("BLSURFPlugin_BLSURF::createPreCadEdgesPeriodicity END");
818
819 }
820
821
822 /////////////////////////////////////////////////////////
823
824 void BLSURFPlugin_BLSURF::SetParameters(const BLSURFPlugin_Hypothesis* hyp,
825                                         cadsurf_session_t *            css,
826                                         const TopoDS_Shape&            theGeomShape
827                                         )
828 {
829   // rnc : Bug 1457
830   // Clear map so that it is not stored in the algorithm with old enforced vertices in it
831   EnfVertexCoords2EnfVertexList.clear();
832
833   double diagonal               = SMESH_Mesh::GetShapeDiagonalSize( theGeomShape );
834   double bbSegmentation         = _gen->GetBoundaryBoxSegmentation();
835   int    _physicalMesh          = BLSURFPlugin_Hypothesis::GetDefaultPhysicalMesh();
836   int    _geometricMesh         = BLSURFPlugin_Hypothesis::GetDefaultGeometricMesh();
837   double _phySize               = BLSURFPlugin_Hypothesis::GetDefaultPhySize(diagonal, bbSegmentation);
838   bool   _phySizeRel            = BLSURFPlugin_Hypothesis::GetDefaultPhySizeRel();
839   double _minSize               = BLSURFPlugin_Hypothesis::GetDefaultMinSize(diagonal);
840   bool   _minSizeRel            = BLSURFPlugin_Hypothesis::GetDefaultMinSizeRel();
841   double _maxSize               = BLSURFPlugin_Hypothesis::GetDefaultMaxSize(diagonal);
842   bool   _maxSizeRel            = BLSURFPlugin_Hypothesis::GetDefaultMaxSizeRel();
843   double _use_gradation         = BLSURFPlugin_Hypothesis::GetDefaultUseGradation();
844   double _gradation             = BLSURFPlugin_Hypothesis::GetDefaultGradation();
845   double _use_volume_gradation  = BLSURFPlugin_Hypothesis::GetDefaultUseVolumeGradation();
846   double _volume_gradation      = BLSURFPlugin_Hypothesis::GetDefaultVolumeGradation();
847   bool   _quadAllowed           = BLSURFPlugin_Hypothesis::GetDefaultQuadAllowed();
848   double _angleMesh             = BLSURFPlugin_Hypothesis::GetDefaultAngleMesh();
849   double _chordalError          = BLSURFPlugin_Hypothesis::GetDefaultChordalError(diagonal);
850   bool   _anisotropic           = BLSURFPlugin_Hypothesis::GetDefaultAnisotropic();
851   double _anisotropicRatio      = BLSURFPlugin_Hypothesis::GetDefaultAnisotropicRatio();
852   bool   _removeTinyEdges       = BLSURFPlugin_Hypothesis::GetDefaultRemoveTinyEdges();
853   double _tinyEdgeLength        = BLSURFPlugin_Hypothesis::GetDefaultTinyEdgeLength(diagonal);
854   bool   _optimiseTinyEdges     = BLSURFPlugin_Hypothesis::GetDefaultOptimiseTinyEdges();
855   double _tinyEdgeOptimisLength = BLSURFPlugin_Hypothesis::GetDefaultTinyEdgeOptimisationLength(diagonal);
856   bool   _correctSurfaceIntersec= BLSURFPlugin_Hypothesis::GetDefaultCorrectSurfaceIntersection();
857   double _corrSurfaceIntersCost = BLSURFPlugin_Hypothesis::GetDefaultCorrectSurfaceIntersectionMaxCost();
858   bool   _badElementRemoval     = BLSURFPlugin_Hypothesis::GetDefaultBadElementRemoval();
859   double _badElementAspectRatio = BLSURFPlugin_Hypothesis::GetDefaultBadElementAspectRatio();
860   bool   _optimizeMesh          = BLSURFPlugin_Hypothesis::GetDefaultOptimizeMesh();
861   bool   _quadraticMesh         = BLSURFPlugin_Hypothesis::GetDefaultQuadraticMesh();
862   int    _verb                  = BLSURFPlugin_Hypothesis::GetDefaultVerbosity();
863   //int    _topology              = BLSURFPlugin_Hypothesis::GetDefaultTopology();
864
865   // PreCAD
866   //int _precadMergeEdges         = BLSURFPlugin_Hypothesis::GetDefaultPreCADMergeEdges();
867   int _precadRemoveTinyUVEdges  = BLSURFPlugin_Hypothesis::GetDefaultPreCADRemoveTinyUVEdges();
868   //int _precadRemoveDuplicateCADFaces = BLSURFPlugin_Hypothesis::GetDefaultPreCADRemoveDuplicateCADFaces();
869   //int _precadProcess3DTopology  = BLSURFPlugin_Hypothesis::GetDefaultPreCADProcess3DTopology();
870   //int _precadDiscardInput       = BLSURFPlugin_Hypothesis::GetDefaultPreCADDiscardInput();
871
872
873   if (hyp) {
874     MESSAGE("BLSURFPlugin_BLSURF::SetParameters");
875     _physicalMesh  = (int) hyp->GetPhysicalMesh();
876     _geometricMesh = (int) hyp->GetGeometricMesh();
877     if (hyp->GetPhySize() > 0) {
878       _phySize       = hyp->GetPhySize();
879       // if user size is not explicitly specified, "relative" flag is ignored
880       _phySizeRel    = hyp->IsPhySizeRel();
881     }
882     if (hyp->GetMinSize() > 0) {
883       _minSize       = hyp->GetMinSize();
884       // if min size is not explicitly specified, "relative" flag is ignored
885       _minSizeRel    = hyp->IsMinSizeRel();
886     }
887     if (hyp->GetMaxSize() > 0) {
888       _maxSize       = hyp->GetMaxSize();
889       // if max size is not explicitly specified, "relative" flag is ignored
890       _maxSizeRel    = hyp->IsMaxSizeRel();
891     }
892     _use_gradation = hyp->GetUseGradation();
893     if (hyp->GetGradation() > 0 && _use_gradation)
894       _gradation     = hyp->GetGradation();
895     _use_volume_gradation    = hyp->GetUseVolumeGradation();
896     if (hyp->GetVolumeGradation() > 0 && _use_volume_gradation )
897       _volume_gradation      = hyp->GetVolumeGradation();
898     _quadAllowed     = hyp->GetQuadAllowed();
899     if (hyp->GetAngleMesh() > 0)
900       _angleMesh     = hyp->GetAngleMesh();
901     if (hyp->GetChordalError() > 0)
902       _chordalError          = hyp->GetChordalError();
903     _anisotropic             = hyp->GetAnisotropic();
904     if (hyp->GetAnisotropicRatio() >= 0)
905       _anisotropicRatio      = hyp->GetAnisotropicRatio();
906     _removeTinyEdges         = hyp->GetRemoveTinyEdges();
907     if (hyp->GetTinyEdgeLength() > 0)
908       _tinyEdgeLength        = hyp->GetTinyEdgeLength();
909     _optimiseTinyEdges       = hyp->GetOptimiseTinyEdges();
910     if (hyp->GetTinyEdgeOptimisationLength() > 0)
911       _tinyEdgeOptimisLength = hyp->GetTinyEdgeOptimisationLength();
912     _correctSurfaceIntersec  = hyp->GetCorrectSurfaceIntersection();
913     if (hyp->GetCorrectSurfaceIntersectionMaxCost() > 0)
914       _corrSurfaceIntersCost = hyp->GetCorrectSurfaceIntersectionMaxCost();
915     _badElementRemoval       = hyp->GetBadElementRemoval();
916     if (hyp->GetBadElementAspectRatio() >= 0)
917       _badElementAspectRatio = hyp->GetBadElementAspectRatio();
918     _optimizeMesh  = hyp->GetOptimizeMesh();
919     _quadraticMesh = hyp->GetQuadraticMesh();
920     _verb          = hyp->GetVerbosity();
921     //_topology      = (int) hyp->GetTopology();
922     // PreCAD
923     //_precadMergeEdges        = hyp->GetPreCADMergeEdges();
924     _precadRemoveTinyUVEdges = hyp->GetPreCADRemoveTinyUVEdges();
925     //_precadRemoveDuplicateCADFaces = hyp->GetPreCADRemoveDuplicateCADFaces();
926     //_precadProcess3DTopology = hyp->GetPreCADProcess3DTopology();
927     //_precadDiscardInput      = hyp->GetPreCADDiscardInput();
928
929     const BLSURFPlugin_Hypothesis::TOptionValues& opts = hyp->GetOptionValues();
930     BLSURFPlugin_Hypothesis::TOptionValues::const_iterator opIt;
931     for ( opIt = opts.begin(); opIt != opts.end(); ++opIt )
932       if ( !opIt->second.empty() ) {
933         MESSAGE("cadsurf_set_param(): " << opIt->first << " = " << opIt->second);
934         set_param(css, opIt->first.c_str(), opIt->second.c_str());
935       }
936
937     const BLSURFPlugin_Hypothesis::TOptionValues& custom_opts = hyp->GetCustomOptionValues();
938     for ( opIt = custom_opts.begin(); opIt != custom_opts.end(); ++opIt )
939       if ( !opIt->second.empty() ) {
940         MESSAGE("cadsurf_set_param(): " << opIt->first << " = " << opIt->second);
941         set_param(css, opIt->first.c_str(), opIt->second.c_str());
942      }
943
944     const BLSURFPlugin_Hypothesis::TOptionValues& preCADopts = hyp->GetPreCADOptionValues();
945     for ( opIt = preCADopts.begin(); opIt != preCADopts.end(); ++opIt )
946       if ( !opIt->second.empty() ) {
947         MESSAGE("cadsurf_set_param(): " << opIt->first << " = " << opIt->second);
948         set_param(css, opIt->first.c_str(), opIt->second.c_str());
949       }
950   }
951
952   if ( BLSURFPlugin_Hypothesis::HasPreCADOptions( hyp ))
953   {
954     cadsurf_set_param(css, "use_precad", "yes" ); // for young versions
955   }
956   // PreProcessor (formerly PreCAD) -- commented params are preCADoptions (since 0023307)
957   //set_param(css, "merge_edges",            _precadMergeEdges ? "yes" : "no");
958   set_param(css, "remove_tiny_uv_edges",   _precadRemoveTinyUVEdges ? "yes" : "no");
959   //set_param(css, "remove_duplicate_cad_faces", _precadRemoveDuplicateCADFaces ? "yes" : "no");
960   //set_param(css, "process_3d_topology",    _precadProcess3DTopology ? "1" : "0");
961   //set_param(css, "discard_input_topology", _precadDiscardInput ? "1" : "0");
962   //set_param(css, "max_number_of_points_per_patch", "1000000");
963   
964    bool useGradation = false;
965    switch (_physicalMesh)
966    {
967      case BLSURFPlugin_Hypothesis::PhysicalGlobalSize:
968        set_param(css, "physical_size_mode", "global");
969        set_param(css, "global_physical_size", _phySizeRel ? val_to_string_rel(_phySize).c_str() : val_to_string(_phySize).c_str());
970        break;
971      case BLSURFPlugin_Hypothesis::PhysicalLocalSize:
972        set_param(css, "physical_size_mode", "local");
973        set_param(css, "global_physical_size", _phySizeRel ? val_to_string_rel(_phySize).c_str() : val_to_string(_phySize).c_str());
974        useGradation = true;
975        break;
976      default:
977        set_param(css, "physical_size_mode", "none");
978    }
979
980    switch (_geometricMesh)
981    {
982      case BLSURFPlugin_Hypothesis::GeometricalGlobalSize:
983        set_param(css, "geometric_size_mode", "global");
984        set_param(css, "geometric_approximation", val_to_string(_angleMesh).c_str());
985        set_param(css, "chordal_error", val_to_string(_chordalError).c_str());
986        useGradation = true;
987        break;
988      case BLSURFPlugin_Hypothesis::GeometricalLocalSize:
989        set_param(css, "geometric_size_mode", "local");
990        set_param(css, "geometric_approximation", val_to_string(_angleMesh).c_str());
991        set_param(css, "chordal_error", val_to_string(_chordalError).c_str());
992        useGradation = true;
993        break;
994      default:
995        set_param(css, "geometric_size_mode", "none");
996    }
997
998    if ( hyp && hyp->GetPhySize() > 0 ) {
999      // user size is explicitly specified via hypothesis parameters
1000      // min and max sizes should be compared with explicitly specified user size
1001      // - compute absolute min size
1002      double mins = _minSizeRel ? _minSize * diagonal : _minSize;
1003      // - min size should not be greater than user size
1004      if ( _phySize < mins )
1005        set_param(css, "min_size", _phySizeRel ? val_to_string_rel(_phySize).c_str() : val_to_string(_phySize).c_str());
1006      else
1007        set_param(css, "min_size", _minSizeRel ? val_to_string_rel(_minSize).c_str() : val_to_string(_minSize).c_str());
1008      // - compute absolute max size
1009      double maxs = _maxSizeRel ? _maxSize * diagonal : _maxSize;
1010      // - max size should not be less than user size
1011      if ( _phySize > maxs )
1012        set_param(css, "max_size", _phySizeRel ? val_to_string_rel(_phySize).c_str() : val_to_string(_phySize).c_str());
1013      else
1014        set_param(css, "max_size", _maxSizeRel ? val_to_string_rel(_maxSize).c_str() : val_to_string(_maxSize).c_str());
1015    }
1016    else {
1017      // user size is not explicitly specified
1018      // - if minsize is not explicitly specified, we pass default value computed automatically, in this case "relative" flag is ignored
1019      set_param(css, "min_size", _minSizeRel ? val_to_string_rel(_minSize).c_str() : val_to_string(_minSize).c_str());
1020      // - if maxsize is not explicitly specified, we pass default value computed automatically, in this case "relative" flag is ignored
1021      set_param(css, "max_size", _maxSizeRel ? val_to_string_rel(_maxSize).c_str() : val_to_string(_maxSize).c_str());
1022    }
1023    // anisotropic and quadrangle mesh requires disabling gradation
1024    if ( _anisotropic && _quadAllowed )
1025      useGradation = false; // limitation of V1.3
1026    if ( useGradation && _use_gradation )
1027      set_param(css, "gradation",                       val_to_string(_gradation).c_str());
1028    if ( useGradation && _use_volume_gradation )
1029      set_param(css, "volume_gradation",                val_to_string(_volume_gradation).c_str());
1030    set_param(css, "element_generation",                _quadAllowed ? "quad_dominant" : "triangle");
1031
1032
1033    set_param(css, "metric",                            _anisotropic ? "anisotropic" : "isotropic");
1034    if ( _anisotropic )
1035      set_param(css, "anisotropic_ratio",                 val_to_string(_anisotropicRatio).c_str());
1036    set_param(css, "remove_tiny_edges",                 _removeTinyEdges ? "1" : "0");
1037    if ( _removeTinyEdges )
1038      set_param(css, "tiny_edge_length",                  val_to_string(_tinyEdgeLength).c_str());
1039    set_param(css, "optimise_tiny_edges",               _optimiseTinyEdges ? "1" : "0");
1040    if ( _optimiseTinyEdges )
1041      set_param(css, "tiny_edge_optimisation_length",   val_to_string(_tinyEdgeOptimisLength).c_str());
1042    set_param(css, "correct_surface_intersections",     _correctSurfaceIntersec ? "1" : "0");
1043    if ( _correctSurfaceIntersec )
1044      set_param(css, "surface_intersections_processing_max_cost", val_to_string(_corrSurfaceIntersCost ).c_str());
1045    set_param(css, "force_bad_surface_element_removal", _badElementRemoval ? "1" : "0");
1046    if ( _badElementRemoval )
1047      set_param(css, "bad_surface_element_aspect_ratio",  val_to_string(_badElementAspectRatio).c_str());
1048    set_param(css, "optimisation",                      _optimizeMesh ? "yes" : "no");
1049    set_param(css, "element_order",                     _quadraticMesh ? "quadratic" : "linear");
1050    set_param(css, "verbose",                           val_to_string(_verb).c_str());
1051
1052    _smp_phy_size = _phySizeRel ? _phySize*diagonal : _phySize;
1053    if ( _verb > 0 )
1054      std::cout << "_smp_phy_size = " << _smp_phy_size << std::endl;
1055
1056    if (_physicalMesh == BLSURFPlugin_Hypothesis::PhysicalLocalSize){
1057     TopoDS_Shape GeomShape;
1058     TopoDS_Shape AttShape;
1059     TopAbs_ShapeEnum GeomType;
1060     //
1061     // Standard Size Maps
1062     //
1063     MESSAGE("Setting a Size Map");
1064     const BLSURFPlugin_Hypothesis::TSizeMap sizeMaps = BLSURFPlugin_Hypothesis::GetSizeMapEntries(hyp);
1065     BLSURFPlugin_Hypothesis::TSizeMap::const_iterator smIt = sizeMaps.begin();
1066     for ( ; smIt != sizeMaps.end(); ++smIt ) {
1067       if ( !smIt->second.empty() ) {
1068         MESSAGE("cadsurf_set_sizeMap(): " << smIt->first << " = " << smIt->second);
1069         GeomShape = entryToShape(smIt->first);
1070         GeomType  = GeomShape.ShapeType();
1071         MESSAGE("Geomtype is " << GeomType);
1072         int key = -1;
1073         // Group Management
1074         if (GeomType == TopAbs_COMPOUND) {
1075           for (TopoDS_Iterator it (GeomShape); it.More(); it.Next()){
1076             // Group of faces
1077             if (it.Value().ShapeType() == TopAbs_FACE){
1078               HasSizeMapOnFace = true;
1079               if (! FacesWithSizeMap.Contains(TopoDS::Face(it.Value()))) {
1080                 key = FacesWithSizeMap.Add(TopoDS::Face(it.Value()));
1081               }
1082               else {
1083                 key = FacesWithSizeMap.FindIndex(TopoDS::Face(it.Value()));
1084 //                 MESSAGE("Face with key " << key << " already in map");
1085               }
1086               FaceId2SizeMap[key] = smIt->second;
1087             }
1088             // Group of edges
1089             if (it.Value().ShapeType() == TopAbs_EDGE){
1090               HasSizeMapOnEdge = true;
1091               HasSizeMapOnFace = true;
1092               if (! EdgesWithSizeMap.Contains(TopoDS::Edge(it.Value()))) {
1093                 key = EdgesWithSizeMap.Add(TopoDS::Edge(it.Value()));
1094               }
1095               else {
1096                 key = EdgesWithSizeMap.FindIndex(TopoDS::Edge(it.Value()));
1097 //                 MESSAGE("Edge with key " << key << " already in map");
1098               }
1099               EdgeId2SizeMap[key] = smIt->second;
1100             }
1101             // Group of vertices
1102             if (it.Value().ShapeType() == TopAbs_VERTEX){
1103               HasSizeMapOnVertex = true;
1104               HasSizeMapOnEdge = true;
1105               HasSizeMapOnFace = true;
1106               if (! VerticesWithSizeMap.Contains(TopoDS::Vertex(it.Value()))) {
1107                 key = VerticesWithSizeMap.Add(TopoDS::Vertex(it.Value()));
1108               }
1109               else {
1110                 key = VerticesWithSizeMap.FindIndex(TopoDS::Vertex(it.Value()));
1111                 MESSAGE("Group of vertices with key " << key << " already in map");
1112               }
1113               MESSAGE("Group of vertices with key " << key << " has a size map: " << smIt->second);
1114               VertexId2SizeMap[key] = smIt->second;
1115             }
1116           }
1117         }
1118         // Single face
1119         if (GeomType == TopAbs_FACE){
1120           HasSizeMapOnFace = true;
1121           if (! FacesWithSizeMap.Contains(TopoDS::Face(GeomShape))) {
1122             key = FacesWithSizeMap.Add(TopoDS::Face(GeomShape));
1123           }
1124           else {
1125             key = FacesWithSizeMap.FindIndex(TopoDS::Face(GeomShape));
1126 //             MESSAGE("Face with key " << key << " already in map");
1127           }
1128           FaceId2SizeMap[key] = smIt->second;
1129         }
1130         // Single edge
1131         if (GeomType == TopAbs_EDGE){
1132           HasSizeMapOnEdge = true;
1133           HasSizeMapOnFace = true;
1134           if (! EdgesWithSizeMap.Contains(TopoDS::Edge(GeomShape))) {
1135             key = EdgesWithSizeMap.Add(TopoDS::Edge(GeomShape));
1136           }
1137           else {
1138             key = EdgesWithSizeMap.FindIndex(TopoDS::Edge(GeomShape));
1139 //             MESSAGE("Edge with key " << key << " already in map");
1140           }
1141           EdgeId2SizeMap[key] = smIt->second;
1142         }
1143         // Single vertex
1144         if (GeomType == TopAbs_VERTEX){
1145           HasSizeMapOnVertex = true;
1146           HasSizeMapOnEdge   = true;
1147           HasSizeMapOnFace   = true;
1148           if (! VerticesWithSizeMap.Contains(TopoDS::Vertex(GeomShape))) {
1149             key = VerticesWithSizeMap.Add(TopoDS::Vertex(GeomShape));
1150           }
1151           else {
1152             key = VerticesWithSizeMap.FindIndex(TopoDS::Vertex(GeomShape));
1153              MESSAGE("Vertex with key " << key << " already in map");
1154           }
1155           MESSAGE("Vertex with key " << key << " has a size map: " << smIt->second);
1156           VertexId2SizeMap[key] = smIt->second;
1157         }
1158       }
1159     }
1160
1161     //
1162     // Attractors
1163     //
1164     // TODO appeler le constructeur des attracteurs directement ici
1165     MESSAGE("Setting Attractors");
1166 //     if ( !_phySizeRel ) {
1167       const BLSURFPlugin_Hypothesis::TSizeMap attractors = BLSURFPlugin_Hypothesis::GetAttractorEntries(hyp);
1168       BLSURFPlugin_Hypothesis::TSizeMap::const_iterator atIt = attractors.begin();
1169       for ( ; atIt != attractors.end(); ++atIt ) {
1170         if ( !atIt->second.empty() ) {
1171           MESSAGE("cadsurf_set_attractor(): " << atIt->first << " = " << atIt->second);
1172           GeomShape = entryToShape(atIt->first);
1173           GeomType  = GeomShape.ShapeType();
1174           // Group Management
1175           if (GeomType == TopAbs_COMPOUND){
1176             for (TopoDS_Iterator it (GeomShape); it.More(); it.Next()){
1177               if (it.Value().ShapeType() == TopAbs_FACE){
1178                 HasSizeMapOnFace = true;
1179                 createAttractorOnFace(it.Value(), atIt->second, _phySizeRel ? _phySize*diagonal : _phySize);
1180               }
1181             }
1182           }
1183
1184           if (GeomType == TopAbs_FACE){
1185             HasSizeMapOnFace = true;
1186             createAttractorOnFace(GeomShape, atIt->second, _phySizeRel ? _phySize*diagonal : _phySize);
1187           }
1188   /*
1189           if (GeomType == TopAbs_EDGE){
1190             HasSizeMapOnEdge = true;
1191             HasSizeMapOnFace = true;
1192           EdgeId2SizeMap[TopoDS::Edge(GeomShape).HashCode(IntegerLast())] = atIt->second;
1193           }
1194           if (GeomType == TopAbs_VERTEX){
1195             HasSizeMapOnVertex = true;
1196             HasSizeMapOnEdge   = true;
1197             HasSizeMapOnFace   = true;
1198           VertexId2SizeMap[TopoDS::Vertex(GeomShape).HashCode(IntegerLast())] = atIt->second;
1199           }
1200   */
1201         }
1202       }
1203 //     }
1204 //     else
1205 //       MESSAGE("Impossible to create the attractors when the physical size is relative");
1206
1207     // Class Attractors
1208     // temporary commented out for testing
1209     // TODO
1210     //  - Fill in the BLSURFPlugin_Hypothesis::TAttractorMap map in the hypothesis
1211     //  - Uncomment and complete this part to construct the attractors from the attractor shape and the passed parameters on each face of the map
1212     //  - To do this use the public methodss: SetParameters(several double parameters) and SetType(int type)
1213     //  OR, even better:
1214     //  - Construct the attractors with an empty dist. map in the hypothesis
1215     //  - build the map here for each face with an attractor set and only if the attractor shape as changed since the last call to _buildmap()
1216     //  -> define a bool _mapbuilt in the class that is set to false by default and set to true when calling _buildmap()  OK
1217
1218       theNbAttractors = 0;
1219     const BLSURFPlugin_Hypothesis::TAttractorMap class_attractors = BLSURFPlugin_Hypothesis::GetClassAttractorEntries(hyp);
1220     int key=-1;
1221     BLSURFPlugin_Hypothesis::TAttractorMap::const_iterator AtIt = class_attractors.begin();
1222     for ( ; AtIt != class_attractors.end(); ++AtIt ) {
1223       if ( !AtIt->second->Empty() ) {
1224        // MESSAGE("cadsurf_set_attractor(): " << AtIt->first << " = " << AtIt->second);
1225         GeomShape = entryToShape(AtIt->first);
1226         if ( !SMESH_MesherHelper::IsSubShape( GeomShape, theGeomShape ))
1227           continue;
1228         AttShape = AtIt->second->GetAttractorShape();
1229         GeomType  = GeomShape.ShapeType();
1230         // Group Management
1231 //         if (GeomType == TopAbs_COMPOUND){
1232 //           for (TopoDS_Iterator it (GeomShape); it.More(); it.Next()){
1233 //             if (it.Value().ShapeType() == TopAbs_FACE){
1234 //               HasAttractorOnFace = true;
1235 //               myAttractor = BLSURFPluginAttractor(GeomShape, AttShape);
1236 //             }
1237 //           }
1238 //         }
1239
1240         if (GeomType == TopAbs_FACE
1241           && (AttShape.ShapeType() == TopAbs_VERTEX
1242            || AttShape.ShapeType() == TopAbs_EDGE
1243            || AttShape.ShapeType() == TopAbs_WIRE
1244            || AttShape.ShapeType() == TopAbs_COMPOUND) ){
1245             HasSizeMapOnFace = true;
1246
1247             key = FacesWithSizeMap.Add(TopoDS::Face(GeomShape) );
1248
1249             FaceId2ClassAttractor[key].push_back( AtIt->second );
1250             ++theNbAttractors;
1251         }
1252         else{
1253           MESSAGE("Wrong shape type !!")
1254         }
1255
1256       }
1257     }
1258
1259
1260     //
1261     // Enforced Vertices
1262     //
1263     MESSAGE("Setting Enforced Vertices");
1264     const BLSURFPlugin_Hypothesis::TFaceEntryEnfVertexListMap entryEnfVertexListMap = BLSURFPlugin_Hypothesis::GetAllEnforcedVerticesByFace(hyp);
1265     BLSURFPlugin_Hypothesis::TFaceEntryEnfVertexListMap::const_iterator enfIt = entryEnfVertexListMap.begin();
1266     for ( ; enfIt != entryEnfVertexListMap.end(); ++enfIt ) {
1267       if ( !enfIt->second.empty() ) {
1268         GeomShape = entryToShape(enfIt->first);
1269         GeomType  = GeomShape.ShapeType();
1270         // Group Management
1271         if (GeomType == TopAbs_COMPOUND){
1272           for (TopoDS_Iterator it (GeomShape); it.More(); it.Next()){
1273             if (it.Value().ShapeType() == TopAbs_FACE){
1274               HasSizeMapOnFace = true;
1275               createEnforcedVertexOnFace(it.Value(), enfIt->second);
1276             }
1277           }
1278         }
1279
1280         if (GeomType == TopAbs_FACE){
1281           HasSizeMapOnFace = true;
1282           createEnforcedVertexOnFace(GeomShape, enfIt->second);
1283         }
1284       }
1285     }
1286
1287     // Internal vertices
1288     bool useInternalVertexAllFaces = BLSURFPlugin_Hypothesis::GetInternalEnforcedVertexAllFaces(hyp);
1289     if (useInternalVertexAllFaces) {
1290       std::string grpName = BLSURFPlugin_Hypothesis::GetInternalEnforcedVertexAllFacesGroup(hyp);
1291       MESSAGE("Setting Internal Enforced Vertices");
1292       gp_Pnt aPnt;
1293       TopExp_Explorer exp (theGeomShape, TopAbs_FACE);
1294       for (; exp.More(); exp.Next()){
1295         MESSAGE("Iterating shapes. Shape type is " << exp.Current().ShapeType());
1296         TopExp_Explorer exp_face (exp.Current(), TopAbs_VERTEX, TopAbs_EDGE);
1297         for (; exp_face.More(); exp_face.Next())
1298         {
1299           // Get coords of vertex
1300           // Check if current coords is already in enfVertexList
1301           // If coords not in enfVertexList, add new enfVertex
1302           aPnt = BRep_Tool::Pnt(TopoDS::Vertex(exp_face.Current()));
1303           MESSAGE("Found vertex on face at " << aPnt.X() <<", "<<aPnt.Y()<<", "<<aPnt.Z());
1304           BLSURFPlugin_Hypothesis::TEnfVertex* enfVertex = new BLSURFPlugin_Hypothesis::TEnfVertex();
1305           enfVertex->coords.push_back(aPnt.X());
1306           enfVertex->coords.push_back(aPnt.Y());
1307           enfVertex->coords.push_back(aPnt.Z());
1308           enfVertex->name = "";
1309           enfVertex->faceEntries.clear();
1310           enfVertex->geomEntry = "";
1311           enfVertex->grpName = grpName;
1312           enfVertex->vertex = TopoDS::Vertex( exp_face.Current() );
1313           _createEnforcedVertexOnFace( TopoDS::Face(exp.Current()),  aPnt, enfVertex);
1314           HasSizeMapOnFace = true;
1315         }
1316       }
1317     }
1318
1319     MESSAGE("Setting Size Map on FACES ");
1320     cadsurf_set_sizemap_iso_cad_face(css, size_on_surface, &_smp_phy_size);
1321
1322     if (HasSizeMapOnEdge){
1323       MESSAGE("Setting Size Map on EDGES ");
1324       cadsurf_set_sizemap_iso_cad_edge(css, size_on_edge, &_smp_phy_size);
1325     }
1326     if (HasSizeMapOnVertex){
1327       MESSAGE("Setting Size Map on VERTICES ");
1328       cadsurf_set_sizemap_iso_cad_point(css, size_on_vertex, &_smp_phy_size);
1329     }
1330   }
1331
1332   // PERIODICITY
1333
1334    // reset vectors
1335    _preCadFacesIDsPeriodicityVector.clear();
1336    _preCadEdgesIDsPeriodicityVector.clear();
1337
1338   MESSAGE("SetParameters preCadFacesPeriodicityVector");
1339   const BLSURFPlugin_Hypothesis::TPreCadPeriodicityVector preCadFacesPeriodicityVector = BLSURFPlugin_Hypothesis::GetPreCadFacesPeriodicityVector(hyp);
1340
1341   for (std::size_t i = 0; i<preCadFacesPeriodicityVector.size(); i++){
1342     MESSAGE("SetParameters preCadFacesPeriodicityVector[" << i << "]");
1343     createPreCadFacesPeriodicity(theGeomShape, preCadFacesPeriodicityVector[i]);
1344   }
1345   MESSAGE("_preCadFacesIDsPeriodicityVector.size() = " << _preCadFacesIDsPeriodicityVector.size());
1346
1347   MESSAGE("SetParameters preCadEdgesPeriodicityVector");
1348   const BLSURFPlugin_Hypothesis::TPreCadPeriodicityVector preCadEdgesPeriodicityVector = BLSURFPlugin_Hypothesis::GetPreCadEdgesPeriodicityVector(hyp);
1349
1350   for (std::size_t i = 0; i<preCadEdgesPeriodicityVector.size(); i++){
1351     MESSAGE("SetParameters preCadEdgesPeriodicityVector[" << i << "]");
1352     createPreCadEdgesPeriodicity(theGeomShape, preCadEdgesPeriodicityVector[i]);
1353   }
1354   MESSAGE("_preCadEdgesIDsPeriodicityVector.size() = " << _preCadEdgesIDsPeriodicityVector.size());
1355
1356 }
1357
1358 //================================================================================
1359 /*!
1360  * \brief Throws an exception if a parameter name is wrong
1361  */
1362 //================================================================================
1363
1364 void BLSURFPlugin_BLSURF::set_param(cadsurf_session_t *css,
1365                                     const char *       option_name,
1366                                     const char *       option_value)
1367 {
1368   status_t status = cadsurf_set_param(css, option_name, option_value );
1369
1370   if ( _hypothesis && _hypothesis->GetVerbosity() > _hypothesis->GetDefaultVerbosity() )
1371     cout << option_name << " = " << option_value << endl;
1372
1373   if ( status != MESHGEMS_STATUS_OK )
1374   {
1375     if ( status == MESHGEMS_STATUS_UNKNOWN_PARAMETER ) {
1376       throw SALOME_Exception
1377         ( SMESH_Comment("Invalid name of CADSURF parameter: ") << option_name );
1378     }
1379     else if ( status == MESHGEMS_STATUS_NOLICENSE )
1380       throw SALOME_Exception
1381         ( "No valid license available" );
1382     else
1383       throw SALOME_Exception
1384         ( SMESH_Comment("Either wrong name or unacceptable value of CADSURF parameter '")
1385           << option_name << "': " << option_value);
1386   }
1387 }
1388
1389 namespace
1390 {
1391   // --------------------------------------------------------------------------
1392   /*!
1393    * \brief Class correctly terminating usage of MG-CADSurf library at destruction
1394    */
1395   class BLSURF_Cleaner
1396   {
1397     context_t *       _ctx;
1398     cadsurf_session_t* _css;
1399     cad_t *           _cad;
1400     dcad_t *          _dcad;
1401   public:
1402     BLSURF_Cleaner(context_t *       ctx,
1403                    cadsurf_session_t* css,
1404                    cad_t *           cad,
1405                    dcad_t *          dcad)
1406       : _ctx ( ctx  ),
1407         _css ( css  ),
1408         _cad ( cad  ),
1409         _dcad( dcad )
1410     {
1411     }
1412     ~BLSURF_Cleaner()
1413     {
1414       Clean( /*exceptContext=*/false );
1415     }
1416     void Clean(const bool exceptContext)
1417     {
1418       if ( _css )
1419       {
1420         cadsurf_session_delete(_css); _css = 0;
1421
1422         // #if BLSURF_VERSION_LONG >= "3.1.1"
1423         // //     if(geo_sizemap_e)
1424         // //       distene_sizemap_delete(geo_sizemap_e);
1425         // //     if(geo_sizemap_f)
1426         // //       distene_sizemap_delete(geo_sizemap_f);
1427         //     if(iso_sizemap_p)
1428         //       distene_sizemap_delete(iso_sizemap_p);
1429         //     if(iso_sizemap_e)
1430         //       distene_sizemap_delete(iso_sizemap_e);
1431         //     if(iso_sizemap_f)
1432         //       distene_sizemap_delete(iso_sizemap_f);
1433         // 
1434         // //     if(clean_geo_sizemap_e)
1435         // //       distene_sizemap_delete(clean_geo_sizemap_e);
1436         // //     if(clean_geo_sizemap_f)
1437         // //       distene_sizemap_delete(clean_geo_sizemap_f);
1438         //     if(clean_iso_sizemap_p)
1439         //       distene_sizemap_delete(clean_iso_sizemap_p);
1440         //     if(clean_iso_sizemap_e)
1441         //       distene_sizemap_delete(clean_iso_sizemap_e);
1442         //     if(clean_iso_sizemap_f)
1443         //       distene_sizemap_delete(clean_iso_sizemap_f);
1444         // #endif
1445
1446         cad_delete(_cad); _cad = 0;
1447         dcad_delete(_dcad); _dcad = 0;
1448         if ( !exceptContext )
1449         {
1450           context_delete(_ctx); _ctx = 0;
1451         }
1452       }
1453     }
1454   };
1455
1456   // --------------------------------------------------------------------------
1457   // comparator to sort nodes and sub-meshes
1458   struct ShapeTypeCompare
1459   {
1460     // sort nodes by position in the following order:
1461     // SMDS_TOP_FACE=2, SMDS_TOP_EDGE=1, SMDS_TOP_VERTEX=0, SMDS_TOP_3DSPACE=3
1462     bool operator()( const SMDS_MeshNode* n1, const SMDS_MeshNode* n2 ) const
1463     {
1464       // NEW ORDER: nodes earlier added to sub-mesh are considered "less"
1465       return n1->getIdInShape() < n2->getIdInShape();
1466       // SMDS_TypeOfPosition pos1 = n1->GetPosition()->GetTypeOfPosition();
1467       // SMDS_TypeOfPosition pos2 = n2->GetPosition()->GetTypeOfPosition();
1468       // if ( pos1 == pos2 ) return 0;
1469       // if ( pos1 < pos2 || pos1 == SMDS_TOP_3DSPACE ) return 1;
1470       // return -1;
1471     }
1472     // sort sub-meshes in order: EDGE, VERTEX
1473     bool operator()( const SMESHDS_SubMesh* s1, const SMESHDS_SubMesh* s2 ) const
1474     {
1475       int isVertex1 = ( s1 && s1->NbElements() == 0 );
1476       int isVertex2 = ( s2 && s2->NbElements() == 0 );
1477       if ( isVertex1 == isVertex2 )
1478         return s1 < s2;
1479       return isVertex1 < isVertex2;
1480     }
1481   };
1482
1483   //================================================================================
1484   /*!
1485    * \brief Fills groups of nodes to be merged
1486    */
1487   //================================================================================
1488
1489   void getNodeGroupsToMerge( const SMESHDS_SubMesh*                smDS,
1490                              const TopoDS_Shape&                   shape,
1491                              SMESH_MeshEditor::TListOfListOfNodes& nodeGroupsToMerge)
1492   {
1493     SMDS_NodeIteratorPtr nIt = smDS->GetNodes();
1494     switch ( shape.ShapeType() )
1495     {
1496     case TopAbs_VERTEX: {
1497       std::list< const SMDS_MeshNode* > nodes;
1498       while ( nIt->more() )
1499         nodes.push_back( nIt->next() );
1500       if ( nodes.size() > 1 )
1501         nodeGroupsToMerge.push_back( nodes );
1502       break;
1503     }
1504     case TopAbs_EDGE: {
1505       std::multimap< double, const SMDS_MeshNode* > u2node;
1506       const SMDS_EdgePosition* ePos;
1507       while ( nIt->more() )
1508       {
1509         const SMDS_MeshNode* n = nIt->next();
1510         if (( ePos = dynamic_cast< const SMDS_EdgePosition* >( n->GetPosition() )))
1511           u2node.insert( make_pair( ePos->GetUParameter(), n ));
1512       }
1513       if ( u2node.size() < 2 ) return;
1514
1515       //double tol = (( u2node.rbegin()->first - u2node.begin()->first ) / 20.) / u2node.size();
1516       Standard_Real f,l;
1517       BRep_Tool::Range( TopoDS::Edge( shape ), f,l );
1518       double tol = (( l - f ) / 20.) / u2node.size();
1519
1520       std::multimap< double, const SMDS_MeshNode* >::iterator un2, un1;
1521       for ( un2 = u2node.begin(), un1 = un2++; un2 != u2node.end(); un1 = un2++ )
1522       {
1523         if (( un2->first - un1->first ) <= tol )
1524         {
1525           std::list< const SMDS_MeshNode* > nodes;
1526           nodes.push_back( un1->second );
1527           while (( un2->first - un1->first ) <= tol )
1528           {
1529             nodes.push_back( un2->second );
1530             if ( ++un2 == u2node.end()) {
1531               --un2;
1532               break;
1533             }
1534           }
1535           // make nodes created on the boundary of viscous layer replace nodes created
1536           // by MG-CADSurf as their SMDS_Position is more correct
1537           nodes.sort( ShapeTypeCompare() );
1538           nodeGroupsToMerge.push_back( nodes );
1539         }
1540       }
1541       break;
1542     }
1543     default: ;
1544     }
1545     // SMESH_MeshEditor::TListOfListOfNodes::const_iterator nll = nodeGroupsToMerge.begin();
1546     // for ( ; nll != nodeGroupsToMerge.end(); ++nll )
1547     // {
1548     //   cout << "Merge ";
1549     //   const std::list< const SMDS_MeshNode* >& nl = *nll;
1550     //   std::list< const SMDS_MeshNode* >::const_iterator nIt = nl.begin();
1551     //   for ( ; nIt != nl.end(); ++nIt )
1552     //     cout << (*nIt) << " ";
1553     //   cout << endl;
1554     // }
1555     // cout << endl;
1556   }
1557
1558   //================================================================================
1559   /*!
1560    * \brief A temporary mesh used to compute mesh on a proxy FACE
1561    */
1562   //================================================================================
1563
1564   struct TmpMesh: public SMESH_Mesh
1565   {
1566     typedef std::map<const SMDS_MeshNode*, const SMDS_MeshNode*, TIDCompare > TN2NMap;
1567     TN2NMap     _tmp2origNN;
1568     TopoDS_Face _proxyFace;
1569
1570     TmpMesh()
1571     {
1572       _myMeshDS = new SMESHDS_Mesh( _id, true );
1573     }
1574     //--------------------------------------------------------------------------------
1575     /*!
1576      * \brief Creates a FACE bound by viscous layers and mesh each its EDGE with 1 segment
1577      */
1578     //--------------------------------------------------------------------------------
1579
1580     const TopoDS_Face& makeProxyFace( SMESH_ProxyMesh::Ptr& viscousMesh,
1581                                       const TopoDS_Face&    origFace)
1582     {
1583       // get data of nodes on inner boundary of viscous layers
1584       SMESH_Mesh* origMesh = viscousMesh->GetMesh();
1585       TError err;
1586       TSideVector wireVec = StdMeshers_FaceSide::GetFaceWires(origFace, *origMesh,
1587                                                               /*skipMediumNodes = */true,
1588                                                               err, viscousMesh );
1589       if ( err && err->IsKO() )
1590         throw *err.get(); // it should be caught at SMESH_subMesh
1591
1592       // proxy nodes and corresponding tmp VERTEXes
1593       std::vector<const SMDS_MeshNode*> origNodes;
1594       std::vector<TopoDS_Vertex>        tmpVertex;
1595
1596       // create a proxy FACE
1597       TopoDS_Shape origFaceCopy = origFace.EmptyCopied();
1598       BRepBuilderAPI_MakeFace newFace( TopoDS::Face( origFaceCopy ));
1599       for ( size_t iW = 0; iW != wireVec.size(); ++iW )
1600       {
1601         StdMeshers_FaceSidePtr& wireData = wireVec[iW];
1602         const UVPtStructVec& wirePoints = wireData->GetUVPtStruct();
1603         if ( wirePoints.size() < 3 )
1604           continue;
1605
1606         BRepBuilderAPI_MakePolygon wire;
1607         const size_t i0 = tmpVertex.size();
1608         for ( size_t iN = 0; iN < wirePoints.size(); ++iN )
1609         {
1610           wire.Add( SMESH_TNodeXYZ( wirePoints[ iN ].node ));
1611           origNodes.push_back( wirePoints[ iN ].node );
1612           tmpVertex.push_back( wire.LastVertex() );
1613         }
1614         tmpVertex[ i0 ] = wire.FirstVertex(); // wire.LastVertex()==NULL for 1 vertex in wire
1615         wire.Close();
1616         if ( !wire.IsDone() )
1617           throw SALOME_Exception("BLSURFPlugin_BLSURF: BRepBuilderAPI_MakePolygon failed");
1618         newFace.Add( wire );
1619       }
1620       _proxyFace = newFace;
1621
1622       // set a new shape to mesh
1623       TopoDS_Compound auxCompoundToMesh;
1624       BRep_Builder shapeBuilder;
1625       shapeBuilder.MakeCompound( auxCompoundToMesh );
1626       shapeBuilder.Add( auxCompoundToMesh, _proxyFace );
1627       shapeBuilder.Add( auxCompoundToMesh, origMesh->GetShapeToMesh() );
1628
1629       ShapeToMesh( auxCompoundToMesh );
1630
1631       //TopExp_Explorer fExp( auxCompoundToMesh, TopAbs_FACE );
1632       //_proxyFace = TopoDS::Face( fExp.Current() );
1633
1634
1635       // Make input mesh for MG-CADSurf: segments on EDGE's of newFace
1636
1637       // make nodes and fill in _tmp2origNN
1638       //
1639       SMESHDS_Mesh* tmpMeshDS = GetMeshDS();
1640       for ( size_t i = 0; i < origNodes.size(); ++i )
1641       {
1642         GetSubMesh( tmpVertex[i] )->ComputeStateEngine( SMESH_subMesh::COMPUTE );
1643         if ( const SMDS_MeshNode* tmpN = SMESH_Algo::VertexNode( tmpVertex[i], tmpMeshDS ))
1644           _tmp2origNN.insert( _tmp2origNN.end(), make_pair( tmpN, origNodes[i] ));
1645         else
1646           throw SALOME_Exception("BLSURFPlugin_BLSURF: a proxy vertex not meshed");
1647       }
1648
1649       // make segments
1650       TopoDS_Vertex v1, v2;
1651       for ( TopExp_Explorer edge( _proxyFace, TopAbs_EDGE ); edge.More(); edge.Next() )
1652       {
1653         const TopoDS_Edge& E = TopoDS::Edge( edge.Current() );
1654         TopExp::Vertices( E, v1, v2 );
1655         const SMDS_MeshNode* n1 = SMESH_Algo::VertexNode( v1, tmpMeshDS );
1656         const SMDS_MeshNode* n2 = SMESH_Algo::VertexNode( v2, tmpMeshDS );
1657
1658         if ( SMDS_MeshElement* seg = tmpMeshDS->AddEdge( n1, n2 ))
1659           tmpMeshDS->SetMeshElementOnShape( seg, E );
1660       }
1661
1662       return _proxyFace;
1663     }
1664
1665     //--------------------------------------------------------------------------------
1666     /*!
1667      * \brief Fill in the origMesh with faces computed by MG-CADSurf in this tmp mesh
1668      */
1669     //--------------------------------------------------------------------------------
1670
1671     void FillInOrigMesh( SMESH_Mesh&        origMesh,
1672                          const TopoDS_Face& origFace )
1673     {
1674       SMESH_MesherHelper helper( origMesh );
1675       helper.SetSubShape( origFace );
1676       helper.SetElementsOnShape( true );
1677
1678       SMESH_MesherHelper tmpHelper( *this );
1679       tmpHelper.SetSubShape( _proxyFace );
1680
1681       // iterate over tmp faces and copy them in origMesh
1682       const SMDS_MeshNode* nodes[27];
1683       const SMDS_MeshNode* nullNode = 0;
1684       double xyz[3];
1685       SMDS_FaceIteratorPtr fIt = GetMeshDS()->facesIterator(/*idInceasingOrder=*/true);
1686       while ( fIt->more() )
1687       {
1688         const SMDS_MeshElement* f = fIt->next();
1689         SMDS_ElemIteratorPtr nIt = f->nodesIterator();
1690         int nbN = 0;
1691         for ( ; nIt->more(); ++nbN )
1692         {
1693           const SMDS_MeshNode* n = static_cast<const SMDS_MeshNode*>( nIt->next() );
1694           TN2NMap::iterator n2nIt =
1695             _tmp2origNN.insert( _tmp2origNN.end(), make_pair( n, nullNode ));
1696           if ( !n2nIt->second ) {
1697             n->GetXYZ( xyz );
1698             gp_XY uv = tmpHelper.GetNodeUV( _proxyFace, n );
1699             n2nIt->second = helper.AddNode( xyz[0], xyz[1], xyz[2], uv.X(), uv.Y() );
1700           }
1701           nodes[ nbN ] = n2nIt->second;
1702         }
1703         switch( nbN ) {
1704         case 3: helper.AddFace( nodes[0], nodes[1], nodes[2] ); break;
1705           // case 6: helper.AddFace( nodes[0], nodes[1], nodes[2],
1706           //                         nodes[3], nodes[4], nodes[5]); break;
1707         case 4: helper.AddFace( nodes[0], nodes[1], nodes[2], nodes[3] ); break;
1708         // case 9: helper.AddFace( nodes[0], nodes[1], nodes[2], nodes[3],
1709         //                         nodes[4], nodes[5], nodes[6], nodes[7], nodes[8]); break;
1710         // case 8: helper.AddFace( nodes[0], nodes[1], nodes[2], nodes[3],
1711         //                         nodes[4], nodes[5], nodes[6], nodes[7]); break;
1712         }
1713       }
1714     }
1715   };
1716
1717   /*!
1718    * \brief A structure holding an error description and a verbisity level
1719    */
1720   struct message_cb_user_data
1721   {
1722     std::string * _error;
1723     int           _verbosity;
1724     double *      _progress;
1725   };
1726
1727 } // namespace
1728
1729 status_t curv_fun(real t, real *uv, real *dt, real *dtt, void *user_data);
1730 status_t surf_fun(real *uv, real *xyz, real*du, real *dv,
1731                   real *duu, real *duv, real *dvv, void *user_data);
1732 status_t message_cb(message_t *msg, void *user_data);
1733 status_t interrupt_cb(integer *interrupt_status, void *user_data);
1734
1735 //=============================================================================
1736 /*!
1737  *
1738  */
1739 //=============================================================================
1740
1741 bool BLSURFPlugin_BLSURF::Compute(SMESH_Mesh& aMesh, const TopoDS_Shape& aShape) {
1742
1743   MESSAGE("BLSURFPlugin_BLSURF::Compute");
1744
1745   // Fix problem with locales
1746   Kernel_Utils::Localizer aLocalizer;
1747
1748   this->SMESH_Algo::_progress = 1e-3; // prevent progress advancment while computing attractors
1749
1750   bool viscousLayersMade =
1751     ( aShape.ShapeType() == TopAbs_FACE &&
1752       StdMeshers_ViscousLayers2D::HasProxyMesh( TopoDS::Face( aShape ), aMesh ));
1753
1754   if ( !viscousLayersMade )
1755     if ( !compute( aMesh, aShape, /*allowSubMeshClearing=*/true ))
1756       return false;
1757
1758   if ( _haveViscousLayers || viscousLayersMade )
1759   {
1760     // Compute viscous layers
1761
1762     TopTools_MapOfShape map;
1763     for (TopExp_Explorer face_iter(aShape,TopAbs_FACE);face_iter.More();face_iter.Next())
1764     {
1765       const TopoDS_Face& F = TopoDS::Face(face_iter.Current());
1766       if ( !map.Add( F )) continue;
1767       SMESH_ProxyMesh::Ptr viscousMesh = StdMeshers_ViscousLayers2D::Compute( aMesh, F );
1768       if ( !viscousMesh )
1769         return false; // error in StdMeshers_ViscousLayers2D::Compute()
1770
1771       // Compute MG-CADSurf mesh on viscous layers
1772
1773       if ( viscousMesh->NbProxySubMeshes() > 0 )
1774       {
1775         TmpMesh tmpMesh;
1776         const TopoDS_Face& proxyFace = tmpMesh.makeProxyFace( viscousMesh, F );
1777         if ( !compute( tmpMesh, proxyFace, /*allowSubMeshClearing=*/false ))
1778           return false;
1779         tmpMesh.FillInOrigMesh( aMesh, F );
1780       }
1781     }
1782
1783     // Re-compute MG-CADSurf mesh on the rest faces if the mesh was cleared
1784
1785     for (TopExp_Explorer face_iter(aShape,TopAbs_FACE);face_iter.More();face_iter.Next())
1786     {
1787       const TopoDS_Face& F = TopoDS::Face(face_iter.Current());
1788       SMESH_subMesh* fSM = aMesh.GetSubMesh( F );
1789       if ( fSM->IsMeshComputed() ) continue;
1790
1791       if ( !compute( aMesh, aShape, /*allowSubMeshClearing=*/true ))
1792         return false;
1793       break;
1794     }
1795   }
1796   return true;
1797 }
1798
1799 //=============================================================================
1800 /*!
1801  *
1802  */
1803 //=============================================================================
1804
1805 bool BLSURFPlugin_BLSURF::compute(SMESH_Mesh&         aMesh,
1806                                   const TopoDS_Shape& aShape,
1807                                   bool                allowSubMeshClearing)
1808 {
1809   /* create a distene context (generic object) */
1810   status_t status = STATUS_ERROR;
1811
1812   myMesh = &aMesh;
1813   SMESHDS_Mesh* meshDS = aMesh.GetMeshDS();
1814   SMESH_MesherHelper helper( aMesh );
1815   // do not call helper.IsQuadraticSubMesh() because sub-meshes
1816   // may be cleaned and helper.myTLinkNodeMap gets invalid in such a case
1817   bool haveQuadraticSubMesh = SMESH_MesherHelper( aMesh ).IsQuadraticSubMesh( aShape );
1818   bool quadraticSubMeshAndViscousLayer = false;
1819   bool needMerge = false;
1820   typedef set< SMESHDS_SubMesh*, ShapeTypeCompare > TSubMeshSet;
1821   TSubMeshSet edgeSubmeshes;
1822   TSubMeshSet& mergeSubmeshes = edgeSubmeshes;
1823
1824   TopTools_IndexedMapOfShape pmap, emap, fmap;
1825
1826   // Issue 0019864. On DebianSarge, FE signals do not obey to OSD::SetSignal(false)
1827 #ifndef WIN32
1828   feclearexcept( FE_ALL_EXCEPT );
1829   int oldFEFlags = fedisableexcept( FE_ALL_EXCEPT );
1830 #endif
1831
1832   context_t *ctx =  context_new();
1833
1834   /* Set the message callback in the working context */
1835   message_cb_user_data mcud;
1836   mcud._error     = & this->SMESH_Algo::_comment;
1837   mcud._progress  = & this->SMESH_Algo::_progress;
1838   mcud._verbosity =
1839     _hypothesis ? _hypothesis->GetVerbosity() : BLSURFPlugin_Hypothesis::GetDefaultVerbosity();
1840   context_set_message_callback(ctx, message_cb, &mcud);
1841
1842   /* set the interruption callback */
1843   _compute_canceled = false;
1844   context_set_interrupt_callback(ctx, interrupt_cb, this);
1845
1846   /* create the CAD object we will work on. It is associated to the context ctx. */
1847   cad_t *c     = cad_new(ctx);
1848   dcad_t *dcad = dcad_new(c);
1849
1850   FacesWithSizeMap.Clear();
1851   FaceId2SizeMap.clear();
1852   FaceId2ClassAttractor.clear();
1853   FaceIndex2ClassAttractor.clear();
1854   EdgesWithSizeMap.Clear();
1855   EdgeId2SizeMap.clear();
1856   VerticesWithSizeMap.Clear();
1857   VertexId2SizeMap.clear();
1858
1859   /* Now fill the CAD object with data from your CAD
1860    * environement. This is the most complex part of a successfull
1861    * integration.
1862    */
1863
1864   // PreCAD
1865
1866   cadsurf_session_t *css = cadsurf_session_new(ctx);
1867
1868   // an object that correctly deletes all cadsurf objects at destruction
1869   BLSURF_Cleaner cleaner( ctx,css,c,dcad );
1870
1871   MESSAGE("BEGIN SetParameters");
1872   SetParameters(_hypothesis, css, aShape);
1873   MESSAGE("END SetParameters");
1874
1875   MESSAGE("_preCadFacesIDsPeriodicityVector.size() = " << _preCadFacesIDsPeriodicityVector.size());
1876
1877   haveQuadraticSubMesh = haveQuadraticSubMesh || (_hypothesis != NULL && _hypothesis->GetQuadraticMesh());
1878   helper.SetIsQuadratic( haveQuadraticSubMesh );
1879
1880   // To remove as soon as quadratic mesh is allowed - BEGIN
1881   // GDD: Viscous layer is not allowed with quadratic mesh
1882   if (_haveViscousLayers && haveQuadraticSubMesh ) {
1883     quadraticSubMeshAndViscousLayer = true;
1884     _haveViscousLayers = !haveQuadraticSubMesh;
1885     _comment += "Warning: Viscous layer is not possible with a quadratic mesh, it is ignored.";
1886     error(COMPERR_WARNING, _comment);
1887   }
1888   // To remove as soon as quadratic mesh is allowed - END
1889
1890   // needed to prevent the opencascade memory managmement from freeing things
1891   vector<Handle(Geom2d_Curve)> curves;
1892   vector<Handle(Geom_Surface)> surfaces;
1893
1894   emap.Clear();
1895   pmap.Clear();
1896   FaceId2PythonSmp.clear();
1897   EdgeId2PythonSmp.clear();
1898   VertexId2PythonSmp.clear();
1899
1900   /****************************************************************************************
1901                                           FACES
1902   *****************************************************************************************/
1903   int iface = 0;
1904   string bad_end = "return";
1905   int faceKey = -1;
1906   TopTools_IndexedMapOfShape _map;
1907   TopExp::MapShapes(aShape,TopAbs_VERTEX,_map);
1908   int ienf = _map.Extent();
1909
1910   assert(Py_IsInitialized());
1911   PyGILState_STATE gstate;
1912
1913   string theSizeMapStr;
1914
1915   for (TopExp_Explorer face_iter(aShape,TopAbs_FACE);face_iter.More();face_iter.Next())
1916   {
1917     TopoDS_Face f = TopoDS::Face(face_iter.Current());
1918
1919     SMESH_subMesh* fSM = aMesh.GetSubMesh( f );
1920     if ( !fSM->IsEmpty() ) continue; // skip already meshed FACE with viscous layers
1921
1922     // make INTERNAL face oriented FORWARD (issue 0020993)
1923     if (f.Orientation() != TopAbs_FORWARD && f.Orientation() != TopAbs_REVERSED )
1924       f.Orientation(TopAbs_FORWARD);
1925
1926     iface = fmap.Add(f);
1927 //    std::string aFileName = "fmap_face_";
1928 //    aFileName.append(val_to_string(iface));
1929 //    aFileName.append(".brep");
1930 //    BRepTools::Write(f,aFileName.c_str());
1931
1932     surfaces.push_back(BRep_Tool::Surface(f));
1933
1934     /* create an object representing the face for cadsurf */
1935     /* where face_id is an integer identifying the face.
1936      * surf_function is the function that defines the surface
1937      * (For this face, it will be called by cadsurf with your_face_object_ptr
1938      * as last parameter.
1939      */
1940 #if OCC_VERSION_MAJOR < 7
1941     cad_face_t *fce = cad_face_new(c, iface, surf_fun, surfaces.back());
1942 #else
1943     cad_face_t *fce = cad_face_new(c, iface, surf_fun, surfaces.back().get());
1944 #endif
1945
1946     /* by default a face has no tag (color).
1947        The following call sets it to the same value as the Geom module ID : */
1948     const int faceTag = meshDS->ShapeToIndex(f);
1949     cad_face_set_tag(fce, faceTag);
1950
1951     /* Set face orientation (optional if you want a well oriented output mesh)*/
1952     if(f.Orientation() != TopAbs_FORWARD)
1953       cad_face_set_orientation(fce, CAD_ORIENTATION_REVERSED);
1954     else
1955       cad_face_set_orientation(fce, CAD_ORIENTATION_FORWARD);
1956
1957     if (HasSizeMapOnFace /*&& !use_precad*/) //22903: use_precad seems not to interfere
1958     {
1959       // -----------------
1960       // Classic size map
1961       // -----------------
1962       faceKey = FacesWithSizeMap.FindIndex(f);
1963
1964
1965       if (FaceId2SizeMap.find(faceKey)!=FaceId2SizeMap.end()) {
1966         MESSAGE("A size map is defined on face :"<<faceKey);
1967         theSizeMapStr = FaceId2SizeMap[faceKey];
1968         // check if function ends with "return"
1969         if (theSizeMapStr.find(bad_end) == (theSizeMapStr.size()-bad_end.size()-1))
1970           continue;
1971         // Expr To Python function, verification is performed at validation in GUI
1972         gstate = PyGILState_Ensure();
1973         PyObject * obj = NULL;
1974         obj= PyRun_String(theSizeMapStr.c_str(), Py_file_input, main_dict, NULL);
1975         Py_DECREF(obj);
1976         PyObject * func = NULL;
1977         func = PyObject_GetAttrString(main_mod, "f");
1978         FaceId2PythonSmp[iface]=func;
1979         FaceId2SizeMap.erase(faceKey);
1980         PyGILState_Release(gstate);
1981       }
1982
1983       // Specific size map = Attractor
1984       std::map<int,std::vector<double> >::iterator attractor_iter = FaceId2AttractorCoords.begin();
1985
1986       for (; attractor_iter != FaceId2AttractorCoords.end(); ++attractor_iter) {
1987         if (attractor_iter->first == faceKey) {
1988           MESSAGE("Face indice: " << iface);
1989           MESSAGE("Adding attractor");
1990
1991           double xyzCoords[3]  = {attractor_iter->second[2],
1992                                   attractor_iter->second[3],
1993                                   attractor_iter->second[4]};
1994
1995           MESSAGE("Check position of vertex =(" << xyzCoords[0] << "," << xyzCoords[1] << "," << xyzCoords[2] << ")");
1996           gp_Pnt P(xyzCoords[0],xyzCoords[1],xyzCoords[2]);
1997           BRepClass_FaceClassifier scl(f,P,1e-7);
1998           // OCC 6.3sp6 : scl.Perform() is bugged. The function was rewritten
1999           // BRepClass_FaceClassifierPerform(&scl,f,P,1e-7);
2000           // OCC 6.5.2: scl.Perform() is not bugged anymore
2001           scl.Perform(f, P, 1e-7);
2002           TopAbs_State result = scl.State();
2003           MESSAGE("Position of point on face: "<<result);
2004           if ( result == TopAbs_OUT )
2005             MESSAGE("Point is out of face: node is not created");
2006           if ( result == TopAbs_UNKNOWN )
2007             MESSAGE("Point position on face is unknown: node is not created");
2008           if ( result == TopAbs_ON )
2009             MESSAGE("Point is on border of face: node is not created");
2010           if ( result == TopAbs_IN )
2011           {
2012             // Point is inside face and not on border
2013             MESSAGE("Point is in face: node is created");
2014             double uvCoords[2] = {attractor_iter->second[0],attractor_iter->second[1]};
2015             ienf++;
2016             MESSAGE("Add cad point on (u,v)=(" << uvCoords[0] << "," << uvCoords[1] << ") with id = " << ienf);
2017             cad_point_t* point_p = cad_point_new(fce, ienf, uvCoords);
2018             cad_point_set_tag(point_p, ienf);
2019           }
2020           FaceId2AttractorCoords.erase(faceKey);
2021         }
2022       }
2023
2024       // -----------------
2025       // Class Attractors
2026       // -----------------
2027       TId2ClsAttractorVec::iterator clAttractor_iter = FaceId2ClassAttractor.find(faceKey);
2028       if (clAttractor_iter != FaceId2ClassAttractor.end()){
2029         MESSAGE("Face indice: " << iface);
2030         MESSAGE("Adding attractor");
2031         std::vector< BLSURFPlugin_Attractor* > & attVec = clAttractor_iter->second;
2032         for ( size_t i = 0; i < attVec.size(); ++i )
2033           if ( !attVec[i]->IsMapBuilt() ) {
2034             std::cout<<"Compute " << theNbAttractors-- << "-th attractor" <<std::endl;
2035             attVec[i]->BuildMap();
2036           }
2037         FaceIndex2ClassAttractor[iface].swap( attVec );
2038         FaceId2ClassAttractor.erase(clAttractor_iter);
2039       }
2040     } // if (HasSizeMapOnFace && !use_precad)
2041
2042       // ------------------
2043       // Enforced Vertices
2044       // ------------------
2045     faceKey = FacesWithEnforcedVertices.FindIndex(f);
2046     std::map<int,BLSURFPlugin_Hypothesis::TEnfVertexCoordsList >::const_iterator evmIt = FaceId2EnforcedVertexCoords.find(faceKey);
2047     if (evmIt != FaceId2EnforcedVertexCoords.end()) {
2048       MESSAGE("Some enforced vertices are defined");
2049       BLSURFPlugin_Hypothesis::TEnfVertexCoordsList evl;
2050       MESSAGE("Face indice: " << iface);
2051       MESSAGE("Adding enforced vertices");
2052       evl = evmIt->second;
2053       MESSAGE("Number of vertices to add: "<< evl.size());
2054       BLSURFPlugin_Hypothesis::TEnfVertexCoordsList::const_iterator evlIt = evl.begin();
2055       for (; evlIt != evl.end(); ++evlIt) {
2056         BLSURFPlugin_Hypothesis::TEnfVertexCoords xyzCoords;
2057         xyzCoords.push_back(evlIt->at(2));
2058         xyzCoords.push_back(evlIt->at(3));
2059         xyzCoords.push_back(evlIt->at(4));
2060         MESSAGE("Check position of vertex =(" << xyzCoords[0] << "," << xyzCoords[1] << "," << xyzCoords[2] << ")");
2061         gp_Pnt P(xyzCoords[0],xyzCoords[1],xyzCoords[2]);
2062         BRepClass_FaceClassifier scl(f,P,1e-7);
2063         // OCC 6.3sp6 : scl.Perform() is bugged. The function was rewritten
2064         // BRepClass_FaceClassifierPerform(&scl,f,P,1e-7);
2065         // OCC 6.5.2: scl.Perform() is not bugged anymore
2066         scl.Perform(f, P, 1e-7);
2067         TopAbs_State result = scl.State();
2068         MESSAGE("Position of point on face: "<<result);
2069         if ( result == TopAbs_OUT ) {
2070           MESSAGE("Point is out of face: node is not created");
2071           if (EnfVertexCoords2ProjVertex.find(xyzCoords) != EnfVertexCoords2ProjVertex.end()) {
2072             EnfVertexCoords2ProjVertex.erase(xyzCoords);
2073             // isssue 22783. Do not erase as this point can be IN other face of a group
2074             //EnfVertexCoords2EnfVertexList.erase(xyzCoords);
2075           }
2076         }
2077         if ( result == TopAbs_UNKNOWN ) {
2078           MESSAGE("Point position on face is unknown: node is not created");
2079           if (EnfVertexCoords2ProjVertex.find(xyzCoords) != EnfVertexCoords2ProjVertex.end()) {
2080             EnfVertexCoords2ProjVertex.erase(xyzCoords);
2081             //EnfVertexCoords2EnfVertexList.erase(xyzCoords);
2082           }
2083         }
2084         if ( result == TopAbs_ON ) {
2085           MESSAGE("Point is on border of face: node is not created");
2086           if (EnfVertexCoords2ProjVertex.find(xyzCoords) != EnfVertexCoords2ProjVertex.end()) {
2087             EnfVertexCoords2ProjVertex.erase(xyzCoords);
2088             //EnfVertexCoords2EnfVertexList.erase(xyzCoords);
2089           }
2090         }
2091         if ( result == TopAbs_IN )
2092         {
2093           // Point is inside face and not on border
2094           MESSAGE("Point is in face: node is created");
2095           double uvCoords[2]   = {evlIt->at(0),evlIt->at(1)};
2096           ienf++;
2097           MESSAGE("Add cad point on (u,v)=(" << uvCoords[0] << "," << uvCoords[1] << ") with id = " << ienf);
2098           cad_point_t* point_p = cad_point_new(fce, ienf, uvCoords);
2099           int tag = 0;
2100           std::map< BLSURFPlugin_Hypothesis::TEnfVertexCoords, BLSURFPlugin_Hypothesis::TEnfVertexList >::const_iterator enfCoordsIt = EnfVertexCoords2EnfVertexList.find(xyzCoords);
2101           if (enfCoordsIt != EnfVertexCoords2EnfVertexList.end() &&
2102               !enfCoordsIt->second.empty() )
2103           {
2104             // to merge nodes of an INTERNAL vertex belonging to several faces
2105             TopoDS_Vertex     v = (*enfCoordsIt->second.begin())->vertex;
2106             if ( v.IsNull() ) v = (*enfCoordsIt->second.rbegin())->vertex;
2107             if ( !v.IsNull() ) {
2108               tag = pmap.Add( v );
2109               SMESH_subMesh* vSM = aMesh.GetSubMesh( v );
2110               vSM->ComputeStateEngine( SMESH_subMesh::COMPUTE );
2111               mergeSubmeshes.insert( vSM->GetSubMeshDS() );
2112               // //if ( tag != pmap.Extent() )
2113               // needMerge = true;
2114             }
2115           }
2116           if ( tag == 0 ) tag = ienf;
2117           cad_point_set_tag(point_p, tag);
2118         }
2119       }
2120       FaceId2EnforcedVertexCoords.erase(faceKey);
2121
2122     }
2123
2124     /****************************************************************************************
2125                                            EDGES
2126                         now create the edges associated to this face
2127     *****************************************************************************************/
2128     int edgeKey = -1;
2129     for (TopExp_Explorer edge_iter(f,TopAbs_EDGE);edge_iter.More();edge_iter.Next())
2130     {
2131       TopoDS_Edge e = TopoDS::Edge(edge_iter.Current());
2132       int ic = emap.FindIndex(e);
2133       if (ic <= 0)
2134         ic = emap.Add(e);
2135
2136 //      std::string aFileName = "fmap_edge_";
2137 //      aFileName.append(val_to_string(ic));
2138 //      aFileName.append(".brep");
2139 //      BRepTools::Write(e,aFileName.c_str());
2140
2141       double tmin,tmax;
2142       curves.push_back(BRep_Tool::CurveOnSurface(e, f, tmin, tmax));
2143
2144       if (HasSizeMapOnEdge){
2145         edgeKey = EdgesWithSizeMap.FindIndex(e);
2146         if (EdgeId2SizeMap.find(edgeKey)!=EdgeId2SizeMap.end()) {
2147           MESSAGE("Sizemap defined on edge with index " << edgeKey);
2148           theSizeMapStr = EdgeId2SizeMap[edgeKey];
2149           if (theSizeMapStr.find(bad_end) == (theSizeMapStr.size()-bad_end.size()-1))
2150             continue;
2151           // Expr To Python function, verification is performed at validation in GUI
2152           gstate = PyGILState_Ensure();
2153           PyObject * obj = NULL;
2154           obj= PyRun_String(theSizeMapStr.c_str(), Py_file_input, main_dict, NULL);
2155           Py_DECREF(obj);
2156           PyObject * func = NULL;
2157           func = PyObject_GetAttrString(main_mod, "f");
2158           EdgeId2PythonSmp[ic]=func;
2159           EdgeId2SizeMap.erase(edgeKey);
2160           PyGILState_Release(gstate);
2161         }
2162       }
2163       /* data of nodes existing on the edge */
2164       StdMeshers_FaceSidePtr nodeData;
2165       SMESH_subMesh* sm = aMesh.GetSubMesh( e );
2166       if ( !sm->IsEmpty() )
2167       {
2168         // SMESH_subMeshIteratorPtr subsmIt = sm->getDependsOnIterator( /*includeSelf=*/true,
2169         //                                                              /*complexFirst=*/false);
2170         // while ( subsmIt->more() )
2171         //   edgeSubmeshes.insert( subsmIt->next()->GetSubMeshDS() );
2172         edgeSubmeshes.insert( sm->GetSubMeshDS() );
2173
2174         nodeData.reset( new StdMeshers_FaceSide( f, e, &aMesh, /*isForwrd = */true,
2175                                                  /*ignoreMedium=*/haveQuadraticSubMesh));
2176         if ( nodeData->MissVertexNode() )
2177           return error(COMPERR_BAD_INPUT_MESH,"No node on vertex");
2178
2179         const std::vector<UVPtStruct>& nodeDataVec = nodeData->GetUVPtStruct();
2180         if ( !nodeDataVec.empty() )
2181         {
2182           if ( Abs( nodeDataVec[0].param - tmin ) > Abs( nodeDataVec.back().param - tmin ))
2183           {
2184             nodeData->Reverse();
2185             nodeData->GetUVPtStruct(); // nodeData recomputes nodeDataVec
2186           }
2187           // tmin and tmax can change in case of viscous layer on an adjacent edge
2188           tmin = nodeDataVec.front().param;
2189           tmax = nodeDataVec.back().param;
2190         }
2191         else
2192         {
2193           cout << "---------------- Invalid nodeData" << endl;
2194           nodeData.reset();
2195         }
2196       }
2197
2198       /* attach the edge to the current cadsurf face */
2199 #if OCC_VERSION_MAJOR < 7
2200       cad_edge_t *edg = cad_edge_new(fce, ic, tmin, tmax, curv_fun, curves.back());
2201 #else
2202       cad_edge_t *edg = cad_edge_new(fce, ic, tmin, tmax, curv_fun, curves.back().get());
2203 #endif
2204
2205       /* by default an edge has no tag (color).
2206          The following call sets it to the same value as the edge_id : */
2207       cad_edge_set_tag(edg, ic);
2208
2209       /* by default, an edge does not necessalry appear in the resulting mesh,
2210          unless the following property is set :
2211       */
2212       cad_edge_set_property(edg, EDGE_PROPERTY_SOFT_REQUIRED);
2213
2214       /* by default an edge is a boundary edge */
2215       if (e.Orientation() == TopAbs_INTERNAL)
2216         cad_edge_set_property(edg, EDGE_PROPERTY_INTERNAL);
2217
2218       // pass existing nodes of sub-meshes to MG-CADSurf
2219       if ( nodeData )
2220       {
2221         const std::vector<UVPtStruct>& nodeDataVec = nodeData->GetUVPtStruct();
2222         const int                      nbNodes     = nodeDataVec.size();
2223
2224         dcad_edge_discretization_t *dedge;
2225         dcad_get_edge_discretization(dcad, edg, &dedge);
2226         dcad_edge_discretization_set_vertex_count( dedge, nbNodes );
2227
2228         // cout << endl << " EDGE " << ic << endl;
2229         // cout << "tmin = "<<tmin << ", tmax = "<< tmax << endl;
2230         for ( int iN = 0; iN < nbNodes; ++iN )
2231         {
2232           const UVPtStruct& nData = nodeDataVec[ iN ];
2233           double t                = nData.param;
2234           real uv[2]              = { nData.u, nData.v };
2235           SMESH_TNodeXYZ nXYZ( nData.node );
2236           // cout << "\tt = " << t
2237           //      << "\t uv = ( " << uv[0] << ","<< uv[1] << " ) "
2238           //      << "\t u = " << nData.param
2239           //      << "\t ID = " << nData.node->GetID() << endl;
2240           dcad_edge_discretization_set_vertex_coordinates( dedge, iN+1, t, uv, nXYZ._xyz );
2241         }
2242         dcad_edge_discretization_set_property(dedge, DISTENE_DCAD_PROPERTY_REQUIRED);
2243       }
2244
2245       /****************************************************************************************
2246                                       VERTICES
2247       *****************************************************************************************/
2248
2249       int npts = 0;
2250       int ip1, ip2, *ip;
2251       gp_Pnt2d e0 = curves.back()->Value(tmin);
2252       gp_Pnt ee0 = surfaces.back()->Value(e0.X(), e0.Y());
2253       Standard_Real d1=0,d2=0;
2254
2255       int vertexKey = -1;
2256       for (TopExp_Explorer ex_edge(e ,TopAbs_VERTEX); ex_edge.More(); ex_edge.Next()) {
2257         TopoDS_Vertex v = TopoDS::Vertex(ex_edge.Current());
2258         ++npts;
2259         if (npts == 1){
2260           ip = &ip1;
2261           d1 = ee0.SquareDistance(BRep_Tool::Pnt(v));
2262         } else {
2263           ip = &ip2;
2264           d2 = ee0.SquareDistance(BRep_Tool::Pnt(v));
2265         }
2266         *ip = pmap.FindIndex(v);
2267         if(*ip <= 0) {
2268           *ip = pmap.Add(v);
2269           // SMESH_subMesh* sm = aMesh.GetSubMesh(v);
2270           // if ( sm->IsMeshComputed() )
2271           //   edgeSubmeshes.insert( sm->GetSubMeshDS() );
2272         }
2273
2274 //        std::string aFileName = "fmap_vertex_";
2275 //        aFileName.append(val_to_string(*ip));
2276 //        aFileName.append(".brep");
2277 //        BRepTools::Write(v,aFileName.c_str());
2278
2279         if (HasSizeMapOnVertex){
2280           vertexKey = VerticesWithSizeMap.FindIndex(v);
2281           if (VertexId2SizeMap.find(vertexKey)!=VertexId2SizeMap.end()){
2282             theSizeMapStr = VertexId2SizeMap[vertexKey];
2283             //MESSAGE("VertexId2SizeMap[faceKey]: " << VertexId2SizeMap[vertexKey]);
2284             if (theSizeMapStr.find(bad_end) == (theSizeMapStr.size()-bad_end.size()-1))
2285               continue;
2286             // Expr To Python function, verification is performed at validation in GUI
2287             gstate = PyGILState_Ensure();
2288             PyObject * obj = NULL;
2289             obj= PyRun_String(theSizeMapStr.c_str(), Py_file_input, main_dict, NULL);
2290             Py_DECREF(obj);
2291             PyObject * func = NULL;
2292             func = PyObject_GetAttrString(main_mod, "f");
2293             VertexId2PythonSmp[*ip]=func;
2294             VertexId2SizeMap.erase(vertexKey);   // do not erase if using a vector
2295             PyGILState_Release(gstate);
2296           }
2297         }
2298       }
2299       if (npts != 2) {
2300         // should not happen
2301         MESSAGE("An edge does not have 2 extremities.");
2302       } else {
2303         if (d1 < d2) {
2304           // This defines the curves extremity connectivity
2305           cad_edge_set_extremities(edg, ip1, ip2);
2306           /* set the tag (color) to the same value as the extremity id : */
2307           cad_edge_set_extremities_tag(edg, ip1, ip2);
2308         }
2309         else {
2310           cad_edge_set_extremities(edg, ip2, ip1);
2311           cad_edge_set_extremities_tag(edg, ip2, ip1);
2312         }
2313       }
2314     } // for edge
2315   } //for face
2316
2317   // Clear mesh from already meshed edges if possible else
2318   // remember that merge is needed
2319   TSubMeshSet::iterator smIt = edgeSubmeshes.begin();
2320   for ( ; smIt != edgeSubmeshes.end(); ++smIt ) // loop on already meshed EDGEs
2321   {
2322     SMESHDS_SubMesh* smDS = *smIt;
2323     if ( !smDS ) continue;
2324     SMDS_NodeIteratorPtr nIt = smDS->GetNodes();
2325     if ( nIt->more() )
2326     {
2327       const SMDS_MeshNode* n = nIt->next();
2328       if ( n->NbInverseElements( SMDSAbs_Face ) > 0 )
2329       {
2330         needMerge = true; // to correctly sew with viscous mesh
2331         // add existing medium nodes to helper
2332         if ( aMesh.NbEdges( ORDER_QUADRATIC ) > 0 )
2333         {
2334           SMDS_ElemIteratorPtr edgeIt = smDS->GetElements();
2335           while ( edgeIt->more() )
2336             helper.AddTLinks( static_cast<const SMDS_MeshEdge*>(edgeIt->next()));
2337         }
2338         continue;
2339       }
2340     }
2341     if ( allowSubMeshClearing )
2342     {
2343       SMDS_ElemIteratorPtr eIt = smDS->GetElements();
2344       while ( eIt->more() ) meshDS->RemoveFreeElement( eIt->next(), 0 );
2345       SMDS_NodeIteratorPtr nIt = smDS->GetNodes();
2346       while ( nIt->more() ) meshDS->RemoveFreeNode( nIt->next(), 0 );
2347       smDS->Clear();
2348     }
2349     else
2350     {
2351       needMerge = true;
2352     }
2353   }
2354
2355   ///////////////////////
2356   // PERIODICITY       //
2357   ///////////////////////
2358
2359   MESSAGE("BEFORE PERIODICITY");
2360   MESSAGE("_preCadFacesIDsPeriodicityVector.size() = " << _preCadFacesIDsPeriodicityVector.size());
2361   if (! _preCadFacesIDsPeriodicityVector.empty()) {
2362     MESSAGE("INTO PRECAD FACES PERIODICITY");
2363     for (std::size_t i=0; i < _preCadFacesIDsPeriodicityVector.size(); i++){
2364       std::vector<int> theFace1_ids = _preCadFacesIDsPeriodicityVector[i].shape1IDs;
2365       std::vector<int> theFace2_ids = _preCadFacesIDsPeriodicityVector[i].shape2IDs;
2366       int* theFace1_ids_c = &theFace1_ids[0];
2367       int* theFace2_ids_c = &theFace2_ids[0];
2368       std::ostringstream o;
2369       o << "_preCadFacesIDsPeriodicityVector[" << i << "] = [";
2370       for (std::size_t j=0; j < theFace1_ids.size(); j++)
2371         o << theFace1_ids[j] << ", ";
2372       o << "], [";
2373       for (std::size_t j=0; j < theFace2_ids.size(); j++)
2374         o << theFace2_ids[j] << ", ";
2375       o << "]";
2376       MESSAGE(o.str());
2377       MESSAGE("theFace1_ids.size(): " << theFace1_ids.size());
2378       MESSAGE("theFace2_ids.size(): " << theFace2_ids.size());
2379       if (_preCadFacesIDsPeriodicityVector[i].theSourceVerticesCoords.empty())
2380         {
2381           // If no source points, call peridoicity without transformation function
2382           MESSAGE("periodicity without transformation function");
2383           meshgems_cad_periodicity_transformation_t periodicity_transformation = NULL;
2384           status = cad_add_face_multiple_periodicity_with_transformation_function(c, theFace1_ids_c, theFace1_ids.size(),
2385               theFace2_ids_c, theFace2_ids.size(), periodicity_transformation, NULL);
2386           if(status != STATUS_OK)
2387             cout << "cad_add_face_multiple_periodicity_with_transformation_function failed with error code " << status << "\n";
2388         }
2389       else
2390         {
2391           // get the transformation vertices
2392           MESSAGE("periodicity with transformation vertices");
2393           double* theSourceVerticesCoords_c = &_preCadFacesIDsPeriodicityVector[i].theSourceVerticesCoords[0];
2394           double* theTargetVerticesCoords_c = &_preCadFacesIDsPeriodicityVector[i].theTargetVerticesCoords[0];
2395           int nbSourceVertices = _preCadFacesIDsPeriodicityVector[i].theSourceVerticesCoords.size()/3;
2396           int nbTargetVertices = _preCadFacesIDsPeriodicityVector[i].theTargetVerticesCoords.size()/3;
2397
2398           MESSAGE("nbSourceVertices: " << nbSourceVertices << ", nbTargetVertices: " << nbTargetVertices);
2399
2400           status = cad_add_face_multiple_periodicity_with_transformation_function_by_points(c, theFace1_ids_c, theFace1_ids.size(),
2401               theFace2_ids_c, theFace2_ids.size(), theSourceVerticesCoords_c, nbSourceVertices, theTargetVerticesCoords_c, nbTargetVertices);
2402           if(status != STATUS_OK)
2403             cout << "cad_add_face_multiple_periodicity_with_transformation_function_by_points failed with error code " << status << "\n";
2404         }
2405     }
2406
2407     MESSAGE("END PRECAD FACES PERIODICITY");
2408   }
2409
2410   MESSAGE("_preCadEdgesIDsPeriodicityVector.size() = " << _preCadEdgesIDsPeriodicityVector.size());
2411   if (! _preCadEdgesIDsPeriodicityVector.empty()) {
2412     MESSAGE("INTO PRECAD EDGES PERIODICITY");
2413     for (std::size_t i=0; i < _preCadEdgesIDsPeriodicityVector.size(); i++){
2414       std::vector<int> theEdge1_ids = _preCadEdgesIDsPeriodicityVector[i].shape1IDs;
2415       std::vector<int> theEdge2_ids = _preCadEdgesIDsPeriodicityVector[i].shape2IDs;
2416       // Use the address of the first element of the vector to initialise the array
2417       int* theEdge1_ids_c = &theEdge1_ids[0];
2418       int* theEdge2_ids_c = &theEdge2_ids[0];
2419
2420       std::ostringstream o;
2421       o << "_preCadEdgesIDsPeriodicityVector[" << i << "] = [";
2422       for (std::size_t j=0; j < theEdge1_ids.size(); j++)
2423         o << theEdge1_ids[j] << ", ";
2424       o << "], [";
2425       for (std::size_t j=0; j < theEdge2_ids.size(); j++)
2426         o << theEdge2_ids[j] << ", ";
2427       o << "]";
2428       MESSAGE(o.str());
2429       MESSAGE("theEdge1_ids.size(): " << theEdge1_ids.size());
2430       MESSAGE("theEdge2_ids.size(): " << theEdge2_ids.size());
2431
2432       if (_preCadEdgesIDsPeriodicityVector[i].theSourceVerticesCoords.empty())
2433         {
2434           // If no source points, call peridoicity without transformation function
2435           MESSAGE("periodicity without transformation function");
2436           meshgems_cad_periodicity_transformation_t periodicity_transformation = NULL;
2437           status = cad_add_edge_multiple_periodicity_with_transformation_function(c, theEdge1_ids_c, theEdge1_ids.size(),
2438               theEdge2_ids_c, theEdge2_ids.size(), periodicity_transformation, NULL);
2439           if(status != STATUS_OK)
2440             cout << "cad_add_edge_multiple_periodicity_with_transformation_function failed with error code " << status << "\n";
2441         }
2442       else
2443         {
2444           // get the transformation vertices
2445           MESSAGE("periodicity with transformation vertices");
2446           double* theSourceVerticesCoords_c = &_preCadEdgesIDsPeriodicityVector[i].theSourceVerticesCoords[0];
2447           double* theTargetVerticesCoords_c = &_preCadEdgesIDsPeriodicityVector[i].theTargetVerticesCoords[0];
2448           int nbSourceVertices = _preCadEdgesIDsPeriodicityVector[i].theSourceVerticesCoords.size()/3;
2449           int nbTargetVertices = _preCadEdgesIDsPeriodicityVector[i].theTargetVerticesCoords.size()/3;
2450
2451           MESSAGE("nbSourceVertices: " << nbSourceVertices << ", nbTargetVertices: " << nbTargetVertices);
2452
2453           status = cad_add_edge_multiple_periodicity_with_transformation_function_by_points(c, theEdge1_ids_c, theEdge1_ids.size(),
2454               theEdge2_ids_c, theEdge2_ids.size(), theSourceVerticesCoords_c, nbSourceVertices, theTargetVerticesCoords_c, nbTargetVertices);
2455           if(status != STATUS_OK)
2456             cout << "cad_add_edge_multiple_periodicity_with_transformation_function_by_points failed with error code " << status << "\n";
2457           else
2458             MESSAGE("cad_add_edge_multiple_periodicity_with_transformation_function_by_points succeeded.\n");
2459         }
2460     }
2461
2462     MESSAGE("END PRECAD EDGES PERIODICITY");
2463   }
2464
2465   
2466   // TODO: be able to use a mesh in input.
2467   // See imsh usage in Products/templates/mg-cadsurf_template_common.cpp
2468   // => cadsurf_set_mesh
2469     
2470   // Use the original dcad
2471   cadsurf_set_dcad(css, dcad);
2472
2473   // Use the original cad
2474   cadsurf_set_cad(css, c);
2475
2476   std::cout << std::endl;
2477   std::cout << "Beginning of Surface Mesh generation" << std::endl;
2478   std::cout << std::endl;
2479
2480   try {
2481     OCC_CATCH_SIGNALS;
2482
2483     status = cadsurf_compute_mesh(css);
2484
2485   }
2486   catch ( std::exception& exc ) {
2487     _comment += exc.what();
2488   }
2489   catch (Standard_Failure& ex) {
2490     _comment += ex.DynamicType()->Name();
2491     if ( ex.GetMessageString() && strlen( ex.GetMessageString() )) {
2492       _comment += ": ";
2493       _comment += ex.GetMessageString();
2494     }
2495   }
2496   catch (...) {
2497     if ( _comment.empty() )
2498       _comment = "Exception in cadsurf_compute_mesh()";
2499   }
2500
2501   std::cout << std::endl;
2502   std::cout << "End of Surface Mesh generation" << std::endl;
2503   std::cout << std::endl;
2504
2505   mesh_t *msh = NULL;
2506   cadsurf_get_mesh(css, &msh);
2507   if(!msh){
2508     /* release the mesh object */
2509     cadsurf_regain_mesh(css, msh);
2510     return error(_comment);
2511   }
2512
2513   std::string GMFFileName = BLSURFPlugin_Hypothesis::GetDefaultGMFFile();
2514   if (_hypothesis)
2515     GMFFileName = _hypothesis->GetGMFFile();
2516   if (GMFFileName != "") {
2517     bool asciiFound  = (GMFFileName.find(".mesh", GMFFileName.length()-5) != std::string::npos);
2518     bool binaryFound = (GMFFileName.find(".meshb",GMFFileName.length()-6) != std::string::npos);
2519     if (!asciiFound && !binaryFound)
2520       GMFFileName.append(".mesh");
2521     mesh_write_mesh(msh, GMFFileName.c_str());
2522   }
2523
2524   /* retrieve mesh data (see meshgems/mesh.h) */
2525   integer nv, ne, nt, nq, vtx[4], tag, nb_tag;
2526   integer *evedg, *evtri, *evquad, *tags_buff, type;
2527   real xyz[3];
2528
2529   mesh_get_vertex_count(msh, &nv);
2530   mesh_get_edge_count(msh, &ne);
2531   mesh_get_triangle_count(msh, &nt);
2532   mesh_get_quadrangle_count(msh, &nq);
2533
2534   evedg  = (integer *)mesh_calloc_generic_buffer(msh);
2535   evtri  = (integer *)mesh_calloc_generic_buffer(msh);
2536   evquad = (integer *)mesh_calloc_generic_buffer(msh);
2537   tags_buff = (integer*)mesh_calloc_generic_buffer(msh);
2538
2539   std::vector<const SMDS_MeshNode*> nodes(nv+1);
2540   std::vector<bool>                  tags(nv+1);
2541
2542   /* enumerated vertices */
2543   for(int iv=1;iv<=nv;iv++) {
2544     mesh_get_vertex_coordinates(msh, iv, xyz);
2545     mesh_get_vertex_tag(msh, iv, &tag);
2546     // Issue 0020656. Use vertex coordinates
2547     nodes[iv] = NULL;
2548     if ( tag > 0 && tag <= pmap.Extent() ) {
2549       TopoDS_Vertex v = TopoDS::Vertex(pmap(tag));
2550       double tol = BRep_Tool::Tolerance( v );
2551       gp_Pnt p = BRep_Tool::Pnt( v );
2552       if ( p.IsEqual( gp_Pnt( xyz[0], xyz[1], xyz[2]), 2*tol))
2553         xyz[0] = p.X(), xyz[1] = p.Y(), xyz[2] = p.Z();
2554       else
2555         tag = 0; // enforced or attracted vertex
2556       nodes[iv] = SMESH_Algo::VertexNode( v, meshDS );
2557     }
2558     if ( !nodes[iv] )
2559       nodes[iv] = meshDS->AddNode(xyz[0], xyz[1], xyz[2]);
2560
2561     // Create group of enforced vertices if requested
2562     BLSURFPlugin_Hypothesis::TEnfVertexCoords projVertex;
2563     projVertex.clear();
2564     projVertex.push_back((double)xyz[0]);
2565     projVertex.push_back((double)xyz[1]);
2566     projVertex.push_back((double)xyz[2]);
2567     std::map< BLSURFPlugin_Hypothesis::TEnfVertexCoords, BLSURFPlugin_Hypothesis::TEnfVertexList >::const_iterator enfCoordsIt = EnfVertexCoords2EnfVertexList.find(projVertex);
2568     if (enfCoordsIt != EnfVertexCoords2EnfVertexList.end()) {
2569       MESSAGE("Found enforced vertex @ " << xyz[0] << ", " << xyz[1] << ", " << xyz[2]);
2570       BLSURFPlugin_Hypothesis::TEnfVertexList::const_iterator enfListIt = enfCoordsIt->second.begin();
2571       BLSURFPlugin_Hypothesis::TEnfVertex *currentEnfVertex;
2572       for (; enfListIt != enfCoordsIt->second.end(); ++enfListIt) {
2573         currentEnfVertex = (*enfListIt);
2574         if (currentEnfVertex->grpName != "") {
2575           bool groupDone = false;
2576           SMESH_Mesh::GroupIteratorPtr grIt = aMesh.GetGroups();
2577           MESSAGE("currentEnfVertex->grpName: " << currentEnfVertex->grpName);
2578           MESSAGE("Parsing the groups of the mesh");
2579           while (grIt->more()) {
2580             SMESH_Group * group = grIt->next();
2581             if ( !group ) continue;
2582             MESSAGE("Group: " << group->GetName());
2583             SMESHDS_GroupBase* groupDS = group->GetGroupDS();
2584             if ( !groupDS ) continue;
2585             MESSAGE("group->SMDSGroup().GetType(): " << (groupDS->GetType()));
2586             MESSAGE("group->SMDSGroup().GetType()==SMDSAbs_Node: " << (groupDS->GetType()==SMDSAbs_Node));
2587             MESSAGE("currentEnfVertex->grpName.compare(group->GetStoreName())==0: " << (currentEnfVertex->grpName.compare(group->GetName())==0));
2588             if ( groupDS->GetType()==SMDSAbs_Node && currentEnfVertex->grpName.compare(group->GetName())==0) {
2589               SMESHDS_Group* aGroupDS = static_cast<SMESHDS_Group*>( groupDS );
2590               aGroupDS->SMDSGroup().Add(nodes[iv]);
2591               MESSAGE("Node ID: " << nodes[iv]->GetID());
2592               // How can I inform the hypothesis ?
2593               //                 _hypothesis->AddEnfVertexNodeID(currentEnfVertex->grpName,nodes[iv]->GetID());
2594               groupDone = true;
2595               MESSAGE("Successfully added enforced vertex to existing group " << currentEnfVertex->grpName);
2596               break;
2597             }
2598           }
2599           if (!groupDone)
2600           {
2601             int groupId;
2602             SMESH_Group* aGroup = aMesh.AddGroup(SMDSAbs_Node, currentEnfVertex->grpName.c_str(), groupId);
2603             aGroup->SetName( currentEnfVertex->grpName.c_str() );
2604             SMESHDS_Group* aGroupDS = static_cast<SMESHDS_Group*>( aGroup->GetGroupDS() );
2605             aGroupDS->SMDSGroup().Add(nodes[iv]);
2606             MESSAGE("Successfully created enforced vertex group " << currentEnfVertex->grpName);
2607             groupDone = true;
2608           }
2609           if (!groupDone)
2610             throw SALOME_Exception(LOCALIZED("An enforced vertex node was not added to a group"));
2611         }
2612         else
2613           MESSAGE("Group name is empty: '"<<currentEnfVertex->grpName<<"' => group is not created");
2614       }
2615     }
2616
2617     // internal points are tagged to zero
2618     if(tag > 0 && tag <= pmap.Extent() ){
2619       meshDS->SetNodeOnVertex(nodes[iv], TopoDS::Vertex(pmap(tag)));
2620       tags[iv] = false;
2621     } else {
2622       tags[iv] = true;
2623     }
2624   }
2625
2626   /* enumerate edges */
2627   for(int it=1;it<=ne;it++) {
2628     SMDS_MeshEdge* edg;
2629     mesh_get_edge_vertices(msh, it, vtx);
2630     mesh_get_edge_extra_vertices(msh, it, &type, evedg);
2631     mesh_get_edge_tag(msh, it, &tag);
2632
2633     // If PreCAD performed some cleaning operations (remove tiny edges,
2634     // merge edges ...) an output tag can indeed represent several original tags.
2635     // Get the initial tags corresponding to the output tag and redefine the tag as 
2636     // the last of the two initial tags (else the output tag is out of emap and hasn't any meaning)
2637     mesh_get_composite_tag_definition(msh, tag, &nb_tag, tags_buff);
2638     if(nb_tag > 1)  
2639       tag=tags_buff[nb_tag-1];
2640     if ( tag < 1 || tag > emap.Extent() )
2641     {
2642       std::cerr << "MG-CADSurf BUG:::: Edge tag " << tag
2643                 << " does not point to a CAD edge (nb edges " << emap.Extent() << ")" << std::endl;
2644       continue;
2645     }
2646     if (tags[vtx[0]]) {
2647       Set_NodeOnEdge(meshDS, nodes[vtx[0]], emap(tag));
2648       tags[vtx[0]] = false;
2649     };
2650     if (tags[vtx[1]]) {
2651       Set_NodeOnEdge(meshDS, nodes[vtx[1]], emap(tag));
2652       tags[vtx[1]] = false;
2653     };
2654     if (type == MESHGEMS_MESH_ELEMENT_TYPE_EDGE3) {
2655       // QUADRATIC EDGE
2656       if (tags[evedg[0]]) {
2657         Set_NodeOnEdge(meshDS, nodes[evedg[0]], emap(tag));
2658         tags[evedg[0]] = false;
2659       }
2660       edg = meshDS->AddEdge(nodes[vtx[0]], nodes[vtx[1]], nodes[evedg[0]]);
2661     }
2662     else {
2663       edg = helper.AddEdge(nodes[vtx[0]], nodes[vtx[1]]);
2664     }
2665     meshDS->SetMeshElementOnShape(edg, TopoDS::Edge(emap(tag)));
2666   }
2667
2668   /* enumerate triangles */
2669   for(int it=1;it<=nt;it++) {
2670     SMDS_MeshFace* tri;
2671     mesh_get_triangle_vertices(msh, it, vtx);
2672     mesh_get_triangle_extra_vertices(msh, it, &type, evtri);
2673     mesh_get_triangle_tag(msh, it, &tag);
2674     if (tags[vtx[0]]) {
2675       meshDS->SetNodeOnFace(nodes[vtx[0]], tag);
2676       tags[vtx[0]] = false;
2677     };
2678     if (tags[vtx[1]]) {
2679       meshDS->SetNodeOnFace(nodes[vtx[1]], tag);
2680       tags[vtx[1]] = false;
2681     };
2682     if (tags[vtx[2]]) {
2683       meshDS->SetNodeOnFace(nodes[vtx[2]], tag);
2684       tags[vtx[2]] = false;
2685     };
2686     if (type == MESHGEMS_MESH_ELEMENT_TYPE_TRIA6) {
2687       // QUADRATIC TRIANGLE
2688       if (tags[evtri[0]]) {
2689         meshDS->SetNodeOnFace(nodes[evtri[0]], tag);
2690         tags[evtri[0]] = false;
2691       }
2692       if (tags[evtri[1]]) {
2693         meshDS->SetNodeOnFace(nodes[evtri[1]], tag);
2694         tags[evtri[1]] = false;
2695       }
2696       if (tags[evtri[2]]) {
2697         meshDS->SetNodeOnFace(nodes[evtri[2]], tag);
2698         tags[evtri[2]] = false;
2699       }
2700       tri = meshDS->AddFace(nodes[vtx[0]], nodes[vtx[1]], nodes[vtx[2]],
2701                             nodes[evtri[0]], nodes[evtri[1]], nodes[evtri[2]]);
2702     }
2703     else {
2704       tri = helper.AddFace(nodes[vtx[0]], nodes[vtx[1]], nodes[vtx[2]]);
2705     }
2706     meshDS->SetMeshElementOnShape(tri, tag);
2707   }
2708
2709   /* enumerate quadrangles */
2710   for(int it=1;it<=nq;it++) {
2711     SMDS_MeshFace* quad;
2712     mesh_get_quadrangle_vertices(msh, it, vtx);
2713     mesh_get_quadrangle_extra_vertices(msh, it, &type, evquad);
2714     mesh_get_quadrangle_tag(msh, it, &tag);
2715     if (tags[vtx[0]]) {
2716       meshDS->SetNodeOnFace(nodes[vtx[0]], tag);
2717       tags[vtx[0]] = false;
2718     };
2719     if (tags[vtx[1]]) {
2720       meshDS->SetNodeOnFace(nodes[vtx[1]], tag);
2721       tags[vtx[1]] = false;
2722     };
2723     if (tags[vtx[2]]) {
2724       meshDS->SetNodeOnFace(nodes[vtx[2]], tag);
2725       tags[vtx[2]] = false;
2726     };
2727     if (tags[vtx[3]]) {
2728       meshDS->SetNodeOnFace(nodes[vtx[3]], tag);
2729       tags[vtx[3]] = false;
2730     };
2731     if (type == MESHGEMS_MESH_ELEMENT_TYPE_QUAD9) {
2732       // QUADRATIC QUADRANGLE
2733       std::cout << "This is a quadratic quadrangle" << std::endl;
2734       if (tags[evquad[0]]) {
2735         meshDS->SetNodeOnFace(nodes[evquad[0]], tag);
2736         tags[evquad[0]] = false;
2737       }
2738       if (tags[evquad[1]]) {
2739         meshDS->SetNodeOnFace(nodes[evquad[1]], tag);
2740         tags[evquad[1]] = false;
2741       }
2742       if (tags[evquad[2]]) {
2743         meshDS->SetNodeOnFace(nodes[evquad[2]], tag);
2744         tags[evquad[2]] = false;
2745       }
2746       if (tags[evquad[3]]) {
2747         meshDS->SetNodeOnFace(nodes[evquad[3]], tag);
2748         tags[evquad[3]] = false;
2749       }
2750       if (tags[evquad[4]]) {
2751         meshDS->SetNodeOnFace(nodes[evquad[4]], tag);
2752         tags[evquad[4]] = false;
2753       }
2754       quad = meshDS->AddFace(nodes[vtx[0]], nodes[vtx[1]], nodes[vtx[2]], nodes[vtx[3]],
2755                              nodes[evquad[0]], nodes[evquad[1]], nodes[evquad[2]], nodes[evquad[3]],
2756                              nodes[evquad[4]]);
2757     }
2758     else {
2759       quad = helper.AddFace(nodes[vtx[0]], nodes[vtx[1]], nodes[vtx[2]], nodes[vtx[3]]);
2760     }
2761     meshDS->SetMeshElementOnShape(quad, tag);
2762   }
2763
2764   /* release the mesh object, the rest is released by cleaner */
2765   cadsurf_regain_mesh(css, msh);
2766
2767   if ( needMerge ) // sew mesh computed by MG-CADSurf with pre-existing mesh
2768   {
2769     SMESH_MeshEditor editor( &aMesh );
2770     SMESH_MeshEditor::TListOfListOfNodes nodeGroupsToMerge;
2771     TIDSortedElemSet segementsOnEdge;
2772     TSubMeshSet::iterator smIt;
2773     SMESHDS_SubMesh* smDS;
2774
2775     // merge nodes on EDGE's with ones computed by MG-CADSurf
2776     for ( smIt = mergeSubmeshes.begin(); smIt != mergeSubmeshes.end(); ++smIt )
2777     {
2778       if (! (smDS = *smIt) ) continue;
2779       getNodeGroupsToMerge( smDS, meshDS->IndexToShape((*smIt)->GetID()), nodeGroupsToMerge );
2780
2781       SMDS_ElemIteratorPtr segIt = smDS->GetElements();
2782       while ( segIt->more() )
2783         segementsOnEdge.insert( segIt->next() );
2784     }
2785     // merge nodes
2786     editor.MergeNodes( nodeGroupsToMerge );
2787
2788     // merge segments
2789     SMESH_MeshEditor::TListOfListOfElementsID equalSegments;
2790     editor.FindEqualElements( segementsOnEdge, equalSegments );
2791     editor.MergeElements( equalSegments );
2792
2793     // remove excess segments created on the boundary of viscous layers
2794     const SMDS_TypeOfPosition onFace = SMDS_TOP_FACE;
2795     for ( int i = 1; i <= emap.Extent(); ++i )
2796     {
2797       if ( SMESHDS_SubMesh* smDS = meshDS->MeshElements( emap( i )))
2798       {
2799         SMDS_ElemIteratorPtr segIt = smDS->GetElements();
2800         while ( segIt->more() )
2801         {
2802           const SMDS_MeshElement* seg = segIt->next();
2803           if ( seg->GetNode(0)->GetPosition()->GetTypeOfPosition() == onFace ||
2804                seg->GetNode(1)->GetPosition()->GetTypeOfPosition() == onFace )
2805             meshDS->RemoveFreeElement( seg, smDS );
2806         }
2807       }
2808     }
2809   }
2810
2811   // Remove free nodes that can appear e.g. if "remove tiny edges"(IPAL53235)
2812   for(int iv=1;iv<=nv;iv++)
2813     if ( nodes[iv] && nodes[iv]->NbInverseElements() == 0 )
2814       meshDS->RemoveFreeNode( nodes[iv], 0, /*fromGroups=*/false );
2815
2816
2817   // SetIsAlwaysComputed( true ) to sub-meshes of EDGEs w/o mesh
2818   for (int i = 1; i <= emap.Extent(); i++)
2819     if ( SMESH_subMesh* sm = aMesh.GetSubMeshContaining( emap( i )))
2820       sm->SetIsAlwaysComputed( true );
2821   for (int i = 1; i <= pmap.Extent(); i++)
2822     if ( SMESH_subMesh* sm = aMesh.GetSubMeshContaining( pmap( i )))
2823       if ( !sm->IsMeshComputed() )
2824         sm->SetIsAlwaysComputed( true );
2825
2826   // Set error to FACE's w/o elements
2827   SMESH_ComputeErrorName err = COMPERR_ALGO_FAILED;
2828   if ( _comment.empty() && status == STATUS_OK )
2829   {
2830     err      = COMPERR_WARNING;
2831     _comment = "No mesh elements assigned to a face";
2832   }
2833   bool badFaceFound = false;
2834   for (TopExp_Explorer face_iter(aShape,TopAbs_FACE);face_iter.More();face_iter.Next())
2835   {
2836     TopoDS_Face f = TopoDS::Face(face_iter.Current());
2837     SMESH_subMesh* sm = aMesh.GetSubMesh( f );
2838     if ( !sm->GetSubMeshDS() || sm->GetSubMeshDS()->NbElements() == 0 )
2839     {
2840       sm->GetComputeError().reset( new SMESH_ComputeError( err, _comment, this ));
2841       badFaceFound = true;
2842     }
2843   }
2844   if ( err == COMPERR_WARNING )
2845   {
2846     _comment.clear();
2847   }
2848   if ( status != STATUS_OK && !badFaceFound ) {
2849     error(_comment);
2850   }
2851
2852   // Issue 0019864. On DebianSarge, FE signals do not obey to OSD::SetSignal(false)
2853 #ifndef WIN32
2854   if ( oldFEFlags > 0 )
2855     feenableexcept( oldFEFlags );
2856   feclearexcept( FE_ALL_EXCEPT );
2857 #endif
2858
2859   /*
2860     std::cout << "FacesWithSizeMap" << std::endl;
2861     FacesWithSizeMap.Statistics(std::cout);
2862     std::cout << "EdgesWithSizeMap" << std::endl;
2863     EdgesWithSizeMap.Statistics(std::cout);
2864     std::cout << "VerticesWithSizeMap" << std::endl;
2865     VerticesWithSizeMap.Statistics(std::cout);
2866     std::cout << "FacesWithEnforcedVertices" << std::endl;
2867     FacesWithEnforcedVertices.Statistics(std::cout);
2868   */
2869
2870   MESSAGE("END OF BLSURFPlugin_BLSURF::Compute()");
2871   return ( status == STATUS_OK && !quadraticSubMeshAndViscousLayer );
2872 }
2873
2874 //================================================================================
2875 /*!
2876  * \brief Terminates computation
2877  */
2878 //================================================================================
2879
2880 void BLSURFPlugin_BLSURF::CancelCompute()
2881 {
2882   _compute_canceled = true;
2883 }
2884
2885 //=============================================================================
2886 /*!
2887  *  SetNodeOnEdge
2888  */
2889 //=============================================================================
2890
2891 void BLSURFPlugin_BLSURF::Set_NodeOnEdge(SMESHDS_Mesh* meshDS, const SMDS_MeshNode* node, const TopoDS_Shape& ed) {
2892   const TopoDS_Edge edge = TopoDS::Edge(ed);
2893
2894   gp_Pnt pnt(node->X(), node->Y(), node->Z());
2895
2896   Standard_Real p0 = 0.0;
2897   Standard_Real p1 = 1.0;
2898   TopLoc_Location loc;
2899   Handle(Geom_Curve) curve = BRep_Tool::Curve(edge, loc, p0, p1);
2900   if ( curve.IsNull() )
2901   {
2902     // issue 22499. Node at a sphere apex
2903     meshDS->SetNodeOnEdge(node, edge, p0);
2904     return;
2905   }
2906
2907   if ( !loc.IsIdentity() ) pnt.Transform( loc.Transformation().Inverted() );
2908   GeomAPI_ProjectPointOnCurve proj(pnt, curve, p0, p1);
2909
2910   double pa = 0.;
2911   if ( proj.NbPoints() > 0 )
2912   {
2913     pa = (double)proj.LowerDistanceParameter();
2914     // Issue 0020656. Move node if it is too far from edge
2915     gp_Pnt curve_pnt = curve->Value( pa );
2916     double dist2     = pnt.SquareDistance( curve_pnt );
2917     double tol       = BRep_Tool::Tolerance( edge );
2918     if ( 1e-14 < dist2 && dist2 <= 1000*tol ) // large enough and within tolerance
2919     {
2920       curve_pnt.Transform( loc );
2921       meshDS->MoveNode( node, curve_pnt.X(), curve_pnt.Y(), curve_pnt.Z() );
2922     }
2923   }
2924
2925   meshDS->SetNodeOnEdge(node, edge, pa);
2926 }
2927
2928 /* Curve definition function See cad_curv_t in file meshgems/cad.h for
2929  * more information.
2930  * NOTE : if when your CAD systems evaluates second
2931  * order derivatives it also computes first order derivatives and
2932  * function evaluation, you can optimize this example by making only
2933  * one CAD call and filling the necessary uv, dt, dtt arrays.
2934  */
2935 status_t curv_fun(real t, real *uv, real *dt, real *dtt, void *user_data)
2936 {
2937   /* t is given. It contains the t (time) 1D parametric coordintaes
2938      of the point PreCAD/MG-CADSurf is querying on the curve */
2939
2940   /* user_data identifies the edge PreCAD/MG-CADSurf is querying
2941    * (see cad_edge_new later in this example) */
2942   const Geom2d_Curve*pargeo = (const Geom2d_Curve*) user_data;
2943
2944   if (uv){
2945    /* MG-CADSurf is querying the function evaluation */
2946     gp_Pnt2d P;
2947     P=pargeo->Value(t);
2948     uv[0]=P.X(); uv[1]=P.Y();
2949   }
2950
2951   if(dt) {
2952    /* query for the first order derivatives */
2953     gp_Vec2d V1;
2954     V1=pargeo->DN(t,1);
2955     dt[0]=V1.X(); dt[1]=V1.Y();
2956   }
2957
2958   if(dtt){
2959     /* query for the second order derivatives */
2960     gp_Vec2d V2;
2961     V2=pargeo->DN(t,2);
2962     dtt[0]=V2.X(); dtt[1]=V2.Y();
2963   }
2964
2965   return STATUS_OK;
2966 }
2967
2968 /* Surface definition function.
2969  * See cad_surf_t in file meshgems/cad.h for more information.
2970  * NOTE : if when your CAD systems evaluates second order derivatives it also
2971  * computes first order derivatives and function evaluation, you can optimize
2972  * this example by making only one CAD call and filling the necessary xyz, du, dv, etc..
2973  * arrays.
2974  */
2975 status_t surf_fun(real *uv, real *xyz, real*du, real *dv,
2976                   real *duu, real *duv, real *dvv, void *user_data)
2977 {
2978   /* uv[2] is given. It contains the u,v coordinates of the point
2979    * PreCAD/MG-CADSurf is querying on the surface */
2980
2981   /* user_data identifies the face PreCAD/MG-CADSurf is querying (see
2982    * cad_face_new later in this example)*/
2983   const Geom_Surface* geometry = (const Geom_Surface*) user_data;
2984
2985   if(xyz){
2986    gp_Pnt P;
2987    P=geometry->Value(uv[0],uv[1]);   // S.D0(U,V,P);
2988    xyz[0]=P.X(); xyz[1]=P.Y(); xyz[2]=P.Z();
2989   }
2990
2991   if(du && dv){
2992     gp_Pnt P;
2993     gp_Vec D1U,D1V;
2994
2995     geometry->D1(uv[0],uv[1],P,D1U,D1V);
2996     du[0]=D1U.X(); du[1]=D1U.Y(); du[2]=D1U.Z();
2997     dv[0]=D1V.X(); dv[1]=D1V.Y(); dv[2]=D1V.Z();
2998   }
2999
3000   if(duu && duv && dvv){
3001
3002     gp_Pnt P;
3003     gp_Vec D1U,D1V;
3004     gp_Vec D2U,D2V,D2UV;
3005
3006     geometry->D2(uv[0],uv[1],P,D1U,D1V,D2U,D2V,D2UV);
3007     duu[0]=D2U.X(); duu[1]=D2U.Y(); duu[2]=D2U.Z();
3008     duv[0]=D2UV.X(); duv[1]=D2UV.Y(); duv[2]=D2UV.Z();
3009     dvv[0]=D2V.X(); dvv[1]=D2V.Y(); dvv[2]=D2V.Z();
3010   }
3011
3012   return STATUS_OK;
3013 }
3014
3015
3016 status_t size_on_surface(integer face_id, real *uv, real *size, void *user_data)
3017 {
3018   TId2ClsAttractorVec::iterator f2attVec;
3019   if (FaceId2PythonSmp.count(face_id) != 0){
3020     assert(Py_IsInitialized());
3021     PyGILState_STATE gstate;
3022     gstate = PyGILState_Ensure();
3023     PyObject* pyresult = PyObject_CallFunction(FaceId2PythonSmp[face_id],(char*)"(f,f)",uv[0],uv[1]);
3024     real result;
3025     if ( pyresult != NULL) {
3026       result = PyFloat_AsDouble(pyresult);
3027       Py_DECREF(pyresult);
3028 //       *size = result;
3029     }
3030     else{
3031       fflush(stderr);
3032       string err_description="";
3033       PyObject* new_stderr = newPyStdOut(err_description);
3034       PyObject* old_stderr = PySys_GetObject((char*)"stderr");
3035       Py_INCREF(old_stderr);
3036       PySys_SetObject((char*)"stderr", new_stderr);
3037       PyErr_Print();
3038       PySys_SetObject((char*)"stderr", old_stderr);
3039       Py_DECREF(new_stderr);
3040       MESSAGE("Can't evaluate f(" << uv[0] << "," << uv[1] << ")" << " error is " << err_description);
3041       result = *((real*)user_data);
3042     }
3043     *size = result;
3044     PyGILState_Release(gstate);
3045   }
3046   else if (( f2attVec = FaceIndex2ClassAttractor.find(face_id)) != FaceIndex2ClassAttractor.end() && !f2attVec->second.empty()){
3047 //    MESSAGE("attractor used on face :"<<face_id)
3048     // MESSAGE("List of attractor is not empty")
3049     // MESSAGE("Attractor empty : "<< FaceIndex2ClassAttractor[face_id]->Empty())
3050     real result = 0;
3051     result = 1e100;
3052     std::vector< BLSURFPlugin_Attractor* > & attVec = f2attVec->second;
3053     for ( size_t i = 0; i < attVec.size(); ++i )
3054     {
3055       //result += attVec[i]->GetSize(uv[0],uv[1]);
3056       result = Min( result, attVec[i]->GetSize(uv[0],uv[1]));
3057     }
3058     //*size = result / attVec.size(); // mean of sizes defined by all attractors
3059     *size = result;
3060   }
3061   else {
3062     // MESSAGE("List of attractor is empty !!!")
3063     *size = *((real*)user_data);
3064   }
3065 //   std::cout << "Size_on_surface sur la face " << face_id << " donne une size de: " << *size << std::endl;
3066   return STATUS_OK;
3067 }
3068
3069 status_t size_on_edge(integer edge_id, real t, real *size, void *user_data)
3070 {
3071   if (EdgeId2PythonSmp.count(edge_id) != 0){
3072     assert(Py_IsInitialized());
3073     PyGILState_STATE gstate;
3074     gstate = PyGILState_Ensure();
3075     PyObject* pyresult = PyObject_CallFunction(EdgeId2PythonSmp[edge_id],(char*)"(f)",t);
3076     real result;
3077     if ( pyresult != NULL) {
3078       result = PyFloat_AsDouble(pyresult);
3079       Py_DECREF(pyresult);
3080 //       *size = result;
3081     }
3082     else{
3083       fflush(stderr);
3084       string err_description="";
3085       PyObject* new_stderr = newPyStdOut(err_description);
3086       PyObject* old_stderr = PySys_GetObject((char*)"stderr");
3087       Py_INCREF(old_stderr);
3088       PySys_SetObject((char*)"stderr", new_stderr);
3089       PyErr_Print();
3090       PySys_SetObject((char*)"stderr", old_stderr);
3091       Py_DECREF(new_stderr);
3092       MESSAGE("Can't evaluate f(" << t << ")" << " error is " << err_description);
3093       result = *((real*)user_data);
3094     }
3095     *size = result;
3096     PyGILState_Release(gstate);
3097   }
3098   else {
3099     *size = *((real*)user_data);
3100   }
3101   return STATUS_OK;
3102 }
3103
3104 status_t size_on_vertex(integer point_id, real *size, void *user_data)
3105 {
3106   if (VertexId2PythonSmp.count(point_id) != 0){
3107     assert(Py_IsInitialized());
3108     PyGILState_STATE gstate;
3109     gstate = PyGILState_Ensure();
3110     PyObject* pyresult = PyObject_CallFunction(VertexId2PythonSmp[point_id],(char*)"");
3111     real result;
3112     if ( pyresult != NULL) {
3113       result = PyFloat_AsDouble(pyresult);
3114       Py_DECREF(pyresult);
3115 //       *size = result;
3116     }
3117     else {
3118       fflush(stderr);
3119       string err_description="";
3120       PyObject* new_stderr = newPyStdOut(err_description);
3121       PyObject* old_stderr = PySys_GetObject((char*)"stderr");
3122       Py_INCREF(old_stderr);
3123       PySys_SetObject((char*)"stderr", new_stderr);
3124       PyErr_Print();
3125       PySys_SetObject((char*)"stderr", old_stderr);
3126       Py_DECREF(new_stderr);
3127       MESSAGE("Can't evaluate f()" << " error is " << err_description);
3128       result = *((real*)user_data);
3129     }
3130     *size = result;
3131     PyGILState_Release(gstate);
3132   }
3133   else {
3134     *size = *((real*)user_data);
3135   }
3136  return STATUS_OK;
3137 }
3138
3139 /*
3140  * The following function will be called for PreCAD/MG-CADSurf message
3141  * printing.  See context_set_message_callback (later in this
3142  * template) for how to set user_data.
3143  */
3144 status_t message_cb(message_t *msg, void *user_data)
3145 {
3146   integer errnumber = 0;
3147   char *desc;
3148   message_get_number(msg, &errnumber);
3149   message_get_description(msg, &desc);
3150   string err( desc );
3151   message_cb_user_data * mcud = (message_cb_user_data*)user_data;
3152   // Get all the error message and some warning messages related to license and periodicity
3153   if ( errnumber < 0 ||
3154        err.find("license"    ) != string::npos ||
3155        err.find("periodicity") != string::npos )
3156   {
3157     // remove ^A from the tail
3158     int len = strlen( desc );
3159     while (len > 0 && desc[len-1] != '\n')
3160       len--;
3161     mcud->_error->append( desc, len );
3162   }
3163   else {
3164     if ( errnumber == 3009001 )
3165       * mcud->_progress = atof( desc + 11 ) / 100.;
3166     if ( mcud->_verbosity > 0 )
3167       std::cout << desc << std::endl;
3168   }
3169   return STATUS_OK;
3170 }
3171
3172 /* This is the interrupt callback. PreCAD/MG-CADSurf will call this
3173  * function regularily. See the file meshgems/interrupt.h
3174  */
3175 status_t interrupt_cb(integer *interrupt_status, void *user_data)
3176 {
3177   integer you_want_to_continue = 1;
3178   BLSURFPlugin_BLSURF* tmp = (BLSURFPlugin_BLSURF*)user_data;
3179   you_want_to_continue = !tmp->computeCanceled();
3180
3181   if(you_want_to_continue)
3182   {
3183     *interrupt_status = INTERRUPT_CONTINUE;
3184     return STATUS_OK;
3185   }
3186   else /* you want to stop MG-CADSurf */
3187   {
3188     *interrupt_status = INTERRUPT_STOP;
3189     return STATUS_ERROR;
3190   }
3191 }
3192
3193 //=============================================================================
3194 /*!
3195  *
3196  */
3197 //=============================================================================
3198 bool BLSURFPlugin_BLSURF::Evaluate(SMESH_Mesh&         aMesh,
3199                                    const TopoDS_Shape& aShape,
3200                                    MapShapeNbElems&    aResMap)
3201 {
3202   double diagonal       = aMesh.GetShapeDiagonalSize();
3203   double bbSegmentation = _gen->GetBoundaryBoxSegmentation();
3204   int    _physicalMesh  = BLSURFPlugin_Hypothesis::GetDefaultPhysicalMesh();
3205   double _phySize       = BLSURFPlugin_Hypothesis::GetDefaultPhySize(diagonal, bbSegmentation);
3206   bool   _phySizeRel    = BLSURFPlugin_Hypothesis::GetDefaultPhySizeRel();
3207   //int    _geometricMesh = BLSURFPlugin_Hypothesis::GetDefaultGeometricMesh();
3208   double _angleMesh     = BLSURFPlugin_Hypothesis::GetDefaultAngleMesh();
3209   bool   _quadAllowed   = BLSURFPlugin_Hypothesis::GetDefaultQuadAllowed();
3210   if(_hypothesis) {
3211     _physicalMesh  = (int) _hypothesis->GetPhysicalMesh();
3212     _phySizeRel         = _hypothesis->IsPhySizeRel();
3213     if ( _hypothesis->GetPhySize() > 0)
3214       _phySize          = _phySizeRel ? diagonal*_hypothesis->GetPhySize() : _hypothesis->GetPhySize();
3215     //_geometricMesh = (int) hyp->GetGeometricMesh();
3216     if (_hypothesis->GetAngleMesh() > 0)
3217       _angleMesh        = _hypothesis->GetAngleMesh();
3218     _quadAllowed        = _hypothesis->GetQuadAllowed();
3219   } else {
3220     //0020968: EDF1545 SMESH: Problem in the creation of a mesh group on geometry
3221     // GetDefaultPhySize() sometimes leads to computation failure
3222     _phySize = aMesh.GetShapeDiagonalSize() / _gen->GetBoundaryBoxSegmentation();
3223     MESSAGE("BLSURFPlugin_BLSURF::SetParameters using defaults");
3224   }
3225
3226   bool IsQuadratic = _quadraticMesh;
3227
3228   // ----------------
3229   // evaluate 1D
3230   // ----------------
3231   TopTools_DataMapOfShapeInteger EdgesMap;
3232   double fullLen = 0.0;
3233   double fullNbSeg = 0;
3234   for (TopExp_Explorer exp(aShape, TopAbs_EDGE); exp.More(); exp.Next()) {
3235     TopoDS_Edge E = TopoDS::Edge( exp.Current() );
3236     if( EdgesMap.IsBound(E) )
3237       continue;
3238     SMESH_subMesh *sm = aMesh.GetSubMesh(E);
3239     double aLen = SMESH_Algo::EdgeLength(E);
3240     fullLen += aLen;
3241     int nb1d = 0;
3242     if(_physicalMesh==1) {
3243        nb1d = (int)( aLen/_phySize + 1 );
3244     }
3245     else {
3246       // use geometry
3247       double f,l;
3248       Handle(Geom_Curve) C = BRep_Tool::Curve(E,f,l);
3249       double fullAng = 0.0;
3250       double dp = (l-f)/200;
3251       gp_Pnt P1,P2,P3;
3252       C->D0(f,P1);
3253       C->D0(f+dp,P2);
3254       gp_Vec V1(P1,P2);
3255       for(int j=2; j<=200; j++) {
3256         C->D0(f+dp*j,P3);
3257         gp_Vec V2(P2,P3);
3258         fullAng += fabs(V1.Angle(V2));
3259         V1 = V2;
3260         P2 = P3;
3261       }
3262       nb1d = (int)( fullAng/_angleMesh + 1 );
3263     }
3264     fullNbSeg += nb1d;
3265     std::vector<int> aVec(SMDSEntity_Last);
3266     for(int i=SMDSEntity_Node; i<SMDSEntity_Last; i++) aVec[i]=0;
3267     if( IsQuadratic > 0 ) {
3268       aVec[SMDSEntity_Node] = 2*nb1d - 1;
3269       aVec[SMDSEntity_Quad_Edge] = nb1d;
3270     }
3271     else {
3272       aVec[SMDSEntity_Node] = nb1d - 1;
3273       aVec[SMDSEntity_Edge] = nb1d;
3274     }
3275     aResMap.insert(std::make_pair(sm,aVec));
3276     EdgesMap.Bind(E,nb1d);
3277   }
3278   double ELen = fullLen/fullNbSeg;
3279   // ----------------
3280   // evaluate 2D
3281   // ----------------
3282   // try to evaluate as in MEFISTO
3283   for (TopExp_Explorer exp(aShape, TopAbs_FACE); exp.More(); exp.Next()) {
3284     TopoDS_Face F = TopoDS::Face( exp.Current() );
3285     SMESH_subMesh *sm = aMesh.GetSubMesh(F);
3286     GProp_GProps G;
3287     BRepGProp::SurfaceProperties(F,G);
3288     double anArea = G.Mass();
3289     int nb1d = 0;
3290     std::vector<int> nb1dVec;
3291     for (TopExp_Explorer exp1(F,TopAbs_EDGE); exp1.More(); exp1.Next()) {
3292       int nbSeg = EdgesMap.Find(exp1.Current());
3293       nb1d += nbSeg;
3294       nb1dVec.push_back( nbSeg );
3295     }
3296     int nbQuad = 0;
3297     int nbTria = (int) ( anArea/( ELen*ELen*sqrt(3.) / 4 ) );
3298     int nbNodes = (int) ( ( nbTria*3 - (nb1d-1)*2 ) / 6 + 1 );
3299     if ( _quadAllowed )
3300     {
3301       if ( nb1dVec.size() == 4 ) // quadrangle geom face
3302       {
3303         int n1 = nb1dVec[0], n2 = nb1dVec[ nb1dVec[1] == nb1dVec[0] ? 2 : 1 ];
3304         nbQuad = n1 * n2;
3305         nbNodes = (n1 + 1) * (n2 + 1);
3306         nbTria = 0;
3307       }
3308       else
3309       {
3310         nbTria = nbQuad = nbTria / 3 + 1;
3311       }
3312     }
3313     std::vector<int> aVec(SMDSEntity_Last,0);
3314     if( IsQuadratic ) {
3315       int nb1d_in = (nbTria*3 - nb1d) / 2;
3316       aVec[SMDSEntity_Node] = nbNodes + nb1d_in;
3317       aVec[SMDSEntity_Quad_Triangle] = nbTria;
3318       aVec[SMDSEntity_Quad_Quadrangle] = nbQuad;
3319     }
3320     else {
3321       aVec[SMDSEntity_Node] = nbNodes;
3322       aVec[SMDSEntity_Triangle] = nbTria;
3323       aVec[SMDSEntity_Quadrangle] = nbQuad;
3324     }
3325     aResMap.insert(std::make_pair(sm,aVec));
3326   }
3327
3328   // ----------------
3329   // evaluate 3D
3330   // ----------------
3331   GProp_GProps G;
3332   BRepGProp::VolumeProperties(aShape,G);
3333   double aVolume = G.Mass();
3334   double tetrVol = 0.1179*ELen*ELen*ELen;
3335   int nbVols  = int(aVolume/tetrVol);
3336   int nb1d_in = int(( nbVols*6 - fullNbSeg ) / 6 );
3337   std::vector<int> aVec(SMDSEntity_Last);
3338   for(int i=SMDSEntity_Node; i<SMDSEntity_Last; i++) aVec[i]=0;
3339   if( IsQuadratic ) {
3340     aVec[SMDSEntity_Node] = nb1d_in/3 + 1 + nb1d_in;
3341     aVec[SMDSEntity_Quad_Tetra] = nbVols;
3342   }
3343   else {
3344     aVec[SMDSEntity_Node] = nb1d_in/3 + 1;
3345     aVec[SMDSEntity_Tetra] = nbVols;
3346   }
3347   SMESH_subMesh *sm = aMesh.GetSubMesh(aShape);
3348   aResMap.insert(std::make_pair(sm,aVec));
3349
3350   return true;
3351 }