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