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