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