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