1 # Copyright (C) 2007-2015 CEA/DEN, EDF R&D, OPEN CASCADE
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.
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.
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
17 # See http://www.salome-platform.org/ or email : webmaster.salome@opencascade.com
19 # File : smeshBuilder.py
20 # Author : Francis KLOSS, OCC
23 ## @package smeshBuilder
24 # Python API for SALOME %Mesh module
26 ## @defgroup l1_auxiliary Auxiliary methods and structures
27 ## @defgroup l1_creating Creating meshes
29 ## @defgroup l2_impexp Importing and exporting meshes
30 ## @defgroup l2_construct Constructing meshes
31 ## @defgroup l2_algorithms Defining Algorithms
33 ## @defgroup l3_algos_basic Basic meshing algorithms
34 ## @defgroup l3_algos_proj Projection Algorithms
35 ## @defgroup l3_algos_radialp Radial Prism
36 ## @defgroup l3_algos_segmarv Segments around Vertex
37 ## @defgroup l3_algos_3dextr 3D extrusion meshing algorithm
40 ## @defgroup l2_hypotheses Defining hypotheses
42 ## @defgroup l3_hypos_1dhyps 1D Meshing Hypotheses
43 ## @defgroup l3_hypos_2dhyps 2D Meshing Hypotheses
44 ## @defgroup l3_hypos_maxvol Max Element Volume hypothesis
45 ## @defgroup l3_hypos_quad Quadrangle Parameters hypothesis
46 ## @defgroup l3_hypos_additi Additional Hypotheses
49 ## @defgroup l2_submeshes Constructing submeshes
50 ## @defgroup l2_compounds Building Compounds
51 ## @defgroup l2_editing Editing Meshes
54 ## @defgroup l1_meshinfo Mesh Information
55 ## @defgroup l1_controls Quality controls and Filtering
56 ## @defgroup l1_grouping Grouping elements
58 ## @defgroup l2_grps_create Creating groups
59 ## @defgroup l2_grps_edit Editing groups
60 ## @defgroup l2_grps_operon Using operations on groups
61 ## @defgroup l2_grps_delete Deleting Groups
64 ## @defgroup l1_modifying Modifying meshes
66 ## @defgroup l2_modif_add Adding nodes and elements
67 ## @defgroup l2_modif_del Removing nodes and elements
68 ## @defgroup l2_modif_edit Modifying nodes and elements
69 ## @defgroup l2_modif_renumber Renumbering nodes and elements
70 ## @defgroup l2_modif_trsf Transforming meshes (Translation, Rotation, Symmetry, Sewing, Merging)
71 ## @defgroup l2_modif_movenode Moving nodes
72 ## @defgroup l2_modif_throughp Mesh through point
73 ## @defgroup l2_modif_invdiag Diagonal inversion of elements
74 ## @defgroup l2_modif_unitetri Uniting triangles
75 ## @defgroup l2_modif_changori Changing orientation of elements
76 ## @defgroup l2_modif_cutquadr Cutting elements
77 ## @defgroup l2_modif_smooth Smoothing
78 ## @defgroup l2_modif_extrurev Extrusion and Revolution
79 ## @defgroup l2_modif_patterns Pattern mapping
80 ## @defgroup l2_modif_tofromqu Convert to/from Quadratic Mesh
83 ## @defgroup l1_measurements Measurements
86 from salome.geom import geomBuilder
88 import SMESH # This is necessary for back compatibility
90 from salome.smesh.smesh_algorithm import Mesh_Algorithm
97 def __instancecheck__(cls, inst):
98 """Implement isinstance(inst, cls)."""
99 return any(cls.__subclasscheck__(c)
100 for c in {type(inst), inst.__class__})
102 def __subclasscheck__(cls, sub):
103 """Implement issubclass(sub, cls)."""
104 return type.__subclasscheck__(cls, sub) or (cls.__name__ == sub.__name__ and cls.__module__ == sub.__module__)
106 ## @addtogroup l1_auxiliary
109 ## Converts an angle from degrees to radians
110 def DegreesToRadians(AngleInDegrees):
112 return AngleInDegrees * pi / 180.0
114 import salome_notebook
115 notebook = salome_notebook.notebook
116 # Salome notebook variable separator
119 ## Return list of variable values from salome notebook.
120 # The last argument, if is callable, is used to modify values got from notebook
121 def ParseParameters(*args):
126 if args and callable( args[-1] ):
127 args, varModifFun = args[:-1], args[-1]
128 for parameter in args:
130 Parameters += str(parameter) + var_separator
132 if isinstance(parameter,str):
133 # check if there is an inexistent variable name
134 if not notebook.isVariable(parameter):
135 raise ValueError, "Variable with name '" + parameter + "' doesn't exist!!!"
136 parameter = notebook.get(parameter)
139 parameter = varModifFun(parameter)
142 Result.append(parameter)
145 Parameters = Parameters[:-1]
146 Result.append( Parameters )
147 Result.append( hasVariables )
150 # Parse parameters converting variables to radians
151 def ParseAngles(*args):
152 return ParseParameters( *( args + (DegreesToRadians, )))
154 # Substitute PointStruct.__init__() to create SMESH.PointStruct using notebook variables.
155 # Parameters are stored in PointStruct.parameters attribute
156 def __initPointStruct(point,*args):
157 point.x, point.y, point.z, point.parameters,hasVars = ParseParameters(*args)
159 SMESH.PointStruct.__init__ = __initPointStruct
161 # Substitute AxisStruct.__init__() to create SMESH.AxisStruct using notebook variables.
162 # Parameters are stored in AxisStruct.parameters attribute
163 def __initAxisStruct(ax,*args):
166 "Bad nb args (%s) passed in SMESH.AxisStruct(x,y,z,dx,dy,dz)"%(len( args ))
167 ax.x, ax.y, ax.z, ax.vx, ax.vy, ax.vz, ax.parameters,hasVars = ParseParameters(*args)
169 SMESH.AxisStruct.__init__ = __initAxisStruct
171 smeshPrecisionConfusion = 1.e-07
172 def IsEqual(val1, val2, tol=smeshPrecisionConfusion):
173 if abs(val1 - val2) < tol:
183 if isinstance(obj, SALOMEDS._objref_SObject):
187 ior = salome.orb.object_to_string(obj)
192 studies = salome.myStudyManager.GetOpenStudies()
193 for sname in studies:
194 s = salome.myStudyManager.GetStudyByName(sname)
196 sobj = s.FindObjectIOR(ior)
197 if not sobj: continue
198 return sobj.GetName()
199 if hasattr(obj, "GetName"):
200 # unknown CORBA object, having GetName() method
203 # unknown CORBA object, no GetName() method
206 if hasattr(obj, "GetName"):
207 # unknown non-CORBA object, having GetName() method
210 raise RuntimeError, "Null or invalid object"
212 ## Prints error message if a hypothesis was not assigned.
213 def TreatHypoStatus(status, hypName, geomName, isAlgo, mesh):
215 hypType = "algorithm"
217 hypType = "hypothesis"
220 if hasattr( status, "__getitem__" ):
221 status,reason = status[0],status[1]
222 if status == HYP_UNKNOWN_FATAL :
223 reason = "for unknown reason"
224 elif status == HYP_INCOMPATIBLE :
225 reason = "this hypothesis mismatches the algorithm"
226 elif status == HYP_NOTCONFORM :
227 reason = "a non-conform mesh would be built"
228 elif status == HYP_ALREADY_EXIST :
229 if isAlgo: return # it does not influence anything
230 reason = hypType + " of the same dimension is already assigned to this shape"
231 elif status == HYP_BAD_DIM :
232 reason = hypType + " mismatches the shape"
233 elif status == HYP_CONCURENT :
234 reason = "there are concurrent hypotheses on sub-shapes"
235 elif status == HYP_BAD_SUBSHAPE :
236 reason = "the shape is neither the main one, nor its sub-shape, nor a valid group"
237 elif status == HYP_BAD_GEOMETRY:
238 reason = "geometry mismatches the expectation of the algorithm"
239 elif status == HYP_HIDDEN_ALGO:
240 reason = "it is hidden by an algorithm of an upper dimension, which generates elements of all dimensions"
241 elif status == HYP_HIDING_ALGO:
242 reason = "it hides algorithms of lower dimensions by generating elements of all dimensions"
243 elif status == HYP_NEED_SHAPE:
244 reason = "algorithm can't work without shape"
245 elif status == HYP_INCOMPAT_HYPS:
251 where = '"%s"' % geomName
253 meshName = GetName( mesh )
254 if meshName and meshName != NO_NAME:
255 where = '"%s" in "%s"' % ( geomName, meshName )
256 if status < HYP_UNKNOWN_FATAL and where:
257 print '"%s" was assigned to %s but %s' %( hypName, where, reason )
259 print '"%s" was not assigned to %s : %s' %( hypName, where, reason )
261 print '"%s" was not assigned : %s' %( hypName, reason )
264 ## Private method. Add geom (sub-shape of the main shape) into the study if not yet there
265 def AssureGeomPublished(mesh, geom, name=''):
266 if not isinstance( geom, geomBuilder.GEOM._objref_GEOM_Object ):
268 if not geom.GetStudyEntry() and \
269 mesh.smeshpyD.GetCurrentStudy():
271 studyID = mesh.smeshpyD.GetCurrentStudy()._get_StudyId()
272 if studyID != mesh.geompyD.myStudyId:
273 mesh.geompyD.init_geom( mesh.smeshpyD.GetCurrentStudy())
275 if not name and geom.GetShapeType() != geomBuilder.GEOM.COMPOUND:
276 # for all groups SubShapeName() returns "Compound_-1"
277 name = mesh.geompyD.SubShapeName(geom, mesh.geom)
279 name = "%s_%s"%(geom.GetShapeType(), id(geom)%10000)
281 mesh.geompyD.addToStudyInFather( mesh.geom, geom, name )
284 ## Return the first vertex of a geometrical edge by ignoring orientation
285 def FirstVertexOnCurve(mesh, edge):
286 vv = mesh.geompyD.SubShapeAll( edge, geomBuilder.geomBuilder.ShapeType["VERTEX"])
288 raise TypeError, "Given object has no vertices"
289 if len( vv ) == 1: return vv[0]
290 v0 = mesh.geompyD.MakeVertexOnCurve(edge,0.)
291 xyz = mesh.geompyD.PointCoordinates( v0 ) # coords of the first vertex
292 xyz1 = mesh.geompyD.PointCoordinates( vv[0] )
293 xyz2 = mesh.geompyD.PointCoordinates( vv[1] )
296 dist1 += abs( xyz[i] - xyz1[i] )
297 dist2 += abs( xyz[i] - xyz2[i] )
303 # end of l1_auxiliary
307 # Warning: smeshInst is a singleton
313 ## This class allows to create, load or manipulate meshes
314 # It has a set of methods to create load or copy meshes, to combine several meshes.
315 # It also has methods to get infos on meshes.
316 class smeshBuilder(object, SMESH._objref_SMESH_Gen):
318 # MirrorType enumeration
319 POINT = SMESH_MeshEditor.POINT
320 AXIS = SMESH_MeshEditor.AXIS
321 PLANE = SMESH_MeshEditor.PLANE
323 # Smooth_Method enumeration
324 LAPLACIAN_SMOOTH = SMESH_MeshEditor.LAPLACIAN_SMOOTH
325 CENTROIDAL_SMOOTH = SMESH_MeshEditor.CENTROIDAL_SMOOTH
327 PrecisionConfusion = smeshPrecisionConfusion
329 # TopAbs_State enumeration
330 [TopAbs_IN, TopAbs_OUT, TopAbs_ON, TopAbs_UNKNOWN] = range(4)
332 # Methods of splitting a hexahedron into tetrahedra
333 Hex_5Tet, Hex_6Tet, Hex_24Tet, Hex_2Prisms, Hex_4Prisms = 1, 2, 3, 1, 2
339 #print "==== __new__", engine, smeshInst, doLcc
341 if smeshInst is None:
342 # smesh engine is either retrieved from engine, or created
344 # Following test avoids a recursive loop
346 if smeshInst is not None:
347 # smesh engine not created: existing engine found
351 # FindOrLoadComponent called:
352 # 1. CORBA resolution of server
353 # 2. the __new__ method is called again
354 #print "==== smeshInst = lcc.FindOrLoadComponent ", engine, smeshInst, doLcc
355 smeshInst = salome.lcc.FindOrLoadComponent( "FactoryServer", "SMESH" )
357 # FindOrLoadComponent not called
358 if smeshInst is None:
359 # smeshBuilder instance is created from lcc.FindOrLoadComponent
360 #print "==== smeshInst = super(smeshBuilder,cls).__new__(cls) ", engine, smeshInst, doLcc
361 smeshInst = super(smeshBuilder,cls).__new__(cls)
363 # smesh engine not created: existing engine found
364 #print "==== existing ", engine, smeshInst, doLcc
366 #print "====1 ", smeshInst
369 #print "====2 ", smeshInst
374 #print "--------------- smeshbuilder __init__ ---", created
377 SMESH._objref_SMESH_Gen.__init__(self)
379 ## Dump component to the Python script
380 # This method overrides IDL function to allow default values for the parameters.
381 def DumpPython(self, theStudy, theIsPublished=True, theIsMultiFile=True):
382 return SMESH._objref_SMESH_Gen.DumpPython(self, theStudy, theIsPublished, theIsMultiFile)
384 ## Set mode of DumpPython(), \a historical or \a snapshot.
385 # In the \a historical mode, the Python Dump script includes all commands
386 # performed by SMESH engine. In the \a snapshot mode, commands
387 # relating to objects removed from the Study are excluded from the script
388 # as well as commands not influencing the current state of meshes
389 def SetDumpPythonHistorical(self, isHistorical):
390 if isHistorical: val = "true"
392 SMESH._objref_SMESH_Gen.SetOption(self, "historical_python_dump", val)
394 ## Sets the current study and Geometry component
395 # @ingroup l1_auxiliary
396 def init_smesh(self,theStudy,geompyD = None):
398 self.SetCurrentStudy(theStudy,geompyD)
401 notebook.myStudy = theStudy
403 ## Creates a mesh. This can be either an empty mesh, possibly having an underlying geometry,
404 # or a mesh wrapping a CORBA mesh given as a parameter.
405 # @param obj either (1) a CORBA mesh (SMESH._objref_SMESH_Mesh) got e.g. by calling
406 # salome.myStudy.FindObjectID("0:1:2:3").GetObject() or
407 # (2) a Geometrical object for meshing or
409 # @param name the name for the new mesh.
410 # @return an instance of Mesh class.
411 # @ingroup l2_construct
412 def Mesh(self, obj=0, name=0):
413 if isinstance(obj,str):
415 return Mesh(self,self.geompyD,obj,name)
417 ## Returns a long value from enumeration
418 # @ingroup l1_controls
419 def EnumToLong(self,theItem):
422 ## Returns a string representation of the color.
423 # To be used with filters.
424 # @param c color value (SALOMEDS.Color)
425 # @ingroup l1_controls
426 def ColorToString(self,c):
428 if isinstance(c, SALOMEDS.Color):
429 val = "%s;%s;%s" % (c.R, c.G, c.B)
430 elif isinstance(c, str):
433 raise ValueError, "Color value should be of string or SALOMEDS.Color type"
436 ## Gets PointStruct from vertex
437 # @param theVertex a GEOM object(vertex)
438 # @return SMESH.PointStruct
439 # @ingroup l1_auxiliary
440 def GetPointStruct(self,theVertex):
441 [x, y, z] = self.geompyD.PointCoordinates(theVertex)
442 return PointStruct(x,y,z)
444 ## Gets DirStruct from vector
445 # @param theVector a GEOM object(vector)
446 # @return SMESH.DirStruct
447 # @ingroup l1_auxiliary
448 def GetDirStruct(self,theVector):
449 vertices = self.geompyD.SubShapeAll( theVector, geomBuilder.geomBuilder.ShapeType["VERTEX"] )
450 if(len(vertices) != 2):
451 print "Error: vector object is incorrect."
453 p1 = self.geompyD.PointCoordinates(vertices[0])
454 p2 = self.geompyD.PointCoordinates(vertices[1])
455 pnt = PointStruct(p2[0]-p1[0], p2[1]-p1[1], p2[2]-p1[2])
456 dirst = DirStruct(pnt)
459 ## Makes DirStruct from a triplet
460 # @param x,y,z vector components
461 # @return SMESH.DirStruct
462 # @ingroup l1_auxiliary
463 def MakeDirStruct(self,x,y,z):
464 pnt = PointStruct(x,y,z)
465 return DirStruct(pnt)
467 ## Get AxisStruct from object
468 # @param theObj a GEOM object (line or plane)
469 # @return SMESH.AxisStruct
470 # @ingroup l1_auxiliary
471 def GetAxisStruct(self,theObj):
473 edges = self.geompyD.SubShapeAll( theObj, geomBuilder.geomBuilder.ShapeType["EDGE"] )
476 vertex1, vertex2 = self.geompyD.SubShapeAll( edges[0], geomBuilder.geomBuilder.ShapeType["VERTEX"] )
477 vertex3, vertex4 = self.geompyD.SubShapeAll( edges[1], geomBuilder.geomBuilder.ShapeType["VERTEX"] )
478 vertex1 = self.geompyD.PointCoordinates(vertex1)
479 vertex2 = self.geompyD.PointCoordinates(vertex2)
480 vertex3 = self.geompyD.PointCoordinates(vertex3)
481 vertex4 = self.geompyD.PointCoordinates(vertex4)
482 v1 = [vertex2[0]-vertex1[0], vertex2[1]-vertex1[1], vertex2[2]-vertex1[2]]
483 v2 = [vertex4[0]-vertex3[0], vertex4[1]-vertex3[1], vertex4[2]-vertex3[2]]
484 normal = [ v1[1]*v2[2]-v2[1]*v1[2], v1[2]*v2[0]-v2[2]*v1[0], v1[0]*v2[1]-v2[0]*v1[1] ]
485 axis = AxisStruct(vertex1[0], vertex1[1], vertex1[2], normal[0], normal[1], normal[2])
486 axis._mirrorType = SMESH.SMESH_MeshEditor.PLANE
487 elif len(edges) == 1:
488 vertex1, vertex2 = self.geompyD.SubShapeAll( edges[0], geomBuilder.geomBuilder.ShapeType["VERTEX"] )
489 p1 = self.geompyD.PointCoordinates( vertex1 )
490 p2 = self.geompyD.PointCoordinates( vertex2 )
491 axis = AxisStruct(p1[0], p1[1], p1[2], p2[0]-p1[0], p2[1]-p1[1], p2[2]-p1[2])
492 axis._mirrorType = SMESH.SMESH_MeshEditor.AXIS
493 elif theObj.GetShapeType() == GEOM.VERTEX:
494 x,y,z = self.geompyD.PointCoordinates( theObj )
495 axis = AxisStruct( x,y,z, 1,0,0,)
496 axis._mirrorType = SMESH.SMESH_MeshEditor.POINT
499 # From SMESH_Gen interface:
500 # ------------------------
502 ## Sets the given name to the object
503 # @param obj the object to rename
504 # @param name a new object name
505 # @ingroup l1_auxiliary
506 def SetName(self, obj, name):
507 if isinstance( obj, Mesh ):
509 elif isinstance( obj, Mesh_Algorithm ):
510 obj = obj.GetAlgorithm()
511 ior = salome.orb.object_to_string(obj)
512 SMESH._objref_SMESH_Gen.SetName(self, ior, name)
514 ## Sets the current mode
515 # @ingroup l1_auxiliary
516 def SetEmbeddedMode( self,theMode ):
517 #self.SetEmbeddedMode(theMode)
518 SMESH._objref_SMESH_Gen.SetEmbeddedMode(self,theMode)
520 ## Gets the current mode
521 # @ingroup l1_auxiliary
522 def IsEmbeddedMode(self):
523 #return self.IsEmbeddedMode()
524 return SMESH._objref_SMESH_Gen.IsEmbeddedMode(self)
526 ## Sets the current study. Calling SetCurrentStudy( None ) allows to
527 # switch OFF automatic pubilishing in the Study of mesh objects.
528 # @ingroup l1_auxiliary
529 def SetCurrentStudy( self, theStudy, geompyD = None ):
530 #self.SetCurrentStudy(theStudy)
532 from salome.geom import geomBuilder
533 geompyD = geomBuilder.geom
536 self.SetGeomEngine(geompyD)
537 SMESH._objref_SMESH_Gen.SetCurrentStudy(self,theStudy)
540 notebook = salome_notebook.NoteBook( theStudy )
542 notebook = salome_notebook.NoteBook( salome_notebook.PseudoStudyForNoteBook() )
544 sb = theStudy.NewBuilder()
545 sc = theStudy.FindComponent("SMESH")
546 if sc: sb.LoadWith(sc, self)
550 ## Gets the current study
551 # @ingroup l1_auxiliary
552 def GetCurrentStudy(self):
553 #return self.GetCurrentStudy()
554 return SMESH._objref_SMESH_Gen.GetCurrentStudy(self)
556 ## Creates a Mesh object importing data from the given UNV file
557 # @return an instance of Mesh class
559 def CreateMeshesFromUNV( self,theFileName ):
560 aSmeshMesh = SMESH._objref_SMESH_Gen.CreateMeshesFromUNV(self,theFileName)
561 aMesh = Mesh(self, self.geompyD, aSmeshMesh)
564 ## Creates a Mesh object(s) importing data from the given MED file
565 # @return a tuple ( list of Mesh class instances, SMESH.DriverMED_ReadStatus )
567 def CreateMeshesFromMED( self,theFileName ):
568 aSmeshMeshes, aStatus = SMESH._objref_SMESH_Gen.CreateMeshesFromMED(self,theFileName)
569 aMeshes = [ Mesh(self, self.geompyD, m) for m in aSmeshMeshes ]
570 return aMeshes, aStatus
572 ## Creates a Mesh object(s) importing data from the given SAUV file
573 # @return a tuple ( list of Mesh class instances, SMESH.DriverMED_ReadStatus )
575 def CreateMeshesFromSAUV( self,theFileName ):
576 aSmeshMeshes, aStatus = SMESH._objref_SMESH_Gen.CreateMeshesFromSAUV(self,theFileName)
577 aMeshes = [ Mesh(self, self.geompyD, m) for m in aSmeshMeshes ]
578 return aMeshes, aStatus
580 ## Creates a Mesh object importing data from the given STL file
581 # @return an instance of Mesh class
583 def CreateMeshesFromSTL( self, theFileName ):
584 aSmeshMesh = SMESH._objref_SMESH_Gen.CreateMeshesFromSTL(self,theFileName)
585 aMesh = Mesh(self, self.geompyD, aSmeshMesh)
588 ## Creates Mesh objects importing data from the given CGNS file
589 # @return a tuple ( list of Mesh class instances, SMESH.DriverMED_ReadStatus )
591 def CreateMeshesFromCGNS( self, theFileName ):
592 aSmeshMeshes, aStatus = SMESH._objref_SMESH_Gen.CreateMeshesFromCGNS(self,theFileName)
593 aMeshes = [ Mesh(self, self.geompyD, m) for m in aSmeshMeshes ]
594 return aMeshes, aStatus
596 ## Creates a Mesh object importing data from the given GMF file.
597 # GMF files must have .mesh extension for the ASCII format and .meshb for
599 # @return [ an instance of Mesh class, SMESH.ComputeError ]
601 def CreateMeshesFromGMF( self, theFileName ):
602 aSmeshMesh, error = SMESH._objref_SMESH_Gen.CreateMeshesFromGMF(self,
605 if error.comment: print "*** CreateMeshesFromGMF() errors:\n", error.comment
606 return Mesh(self, self.geompyD, aSmeshMesh), error
608 ## Concatenate the given meshes into one mesh. All groups of input meshes will be
609 # present in the new mesh.
610 # @param meshes the meshes, sub-meshes and groups to combine into one mesh
611 # @param uniteIdenticalGroups if true, groups with same names are united, else they are renamed
612 # @param mergeNodesAndElements if true, equal nodes and elements are merged
613 # @param mergeTolerance tolerance for merging nodes
614 # @param allGroups forces creation of groups corresponding to every input mesh
615 # @param name name of a new mesh
616 # @return an instance of Mesh class
617 def Concatenate( self, meshes, uniteIdenticalGroups,
618 mergeNodesAndElements = False, mergeTolerance = 1e-5, allGroups = False,
620 if not meshes: return None
621 for i,m in enumerate(meshes):
622 if isinstance(m, Mesh):
623 meshes[i] = m.GetMesh()
624 mergeTolerance,Parameters,hasVars = ParseParameters(mergeTolerance)
625 meshes[0].SetParameters(Parameters)
627 aSmeshMesh = SMESH._objref_SMESH_Gen.ConcatenateWithGroups(
628 self,meshes,uniteIdenticalGroups,mergeNodesAndElements,mergeTolerance)
630 aSmeshMesh = SMESH._objref_SMESH_Gen.Concatenate(
631 self,meshes,uniteIdenticalGroups,mergeNodesAndElements,mergeTolerance)
632 aMesh = Mesh(self, self.geompyD, aSmeshMesh, name=name)
635 ## Create a mesh by copying a part of another mesh.
636 # @param meshPart a part of mesh to copy, either a Mesh, a sub-mesh or a group;
637 # to copy nodes or elements not contained in any mesh object,
638 # pass result of Mesh.GetIDSource( list_of_ids, type ) as meshPart
639 # @param meshName a name of the new mesh
640 # @param toCopyGroups to create in the new mesh groups the copied elements belongs to
641 # @param toKeepIDs to preserve order of the copied elements or not
642 # @return an instance of Mesh class
643 def CopyMesh( self, meshPart, meshName, toCopyGroups=False, toKeepIDs=False):
644 if (isinstance( meshPart, Mesh )):
645 meshPart = meshPart.GetMesh()
646 mesh = SMESH._objref_SMESH_Gen.CopyMesh( self,meshPart,meshName,toCopyGroups,toKeepIDs )
647 return Mesh(self, self.geompyD, mesh)
649 ## From SMESH_Gen interface
650 # @return the list of integer values
651 # @ingroup l1_auxiliary
652 def GetSubShapesId( self, theMainObject, theListOfSubObjects ):
653 return SMESH._objref_SMESH_Gen.GetSubShapesId(self,theMainObject, theListOfSubObjects)
655 ## From SMESH_Gen interface. Creates a pattern
656 # @return an instance of SMESH_Pattern
658 # <a href="../tui_modifying_meshes_page.html#tui_pattern_mapping">Example of Patterns usage</a>
659 # @ingroup l2_modif_patterns
660 def GetPattern(self):
661 return SMESH._objref_SMESH_Gen.GetPattern(self)
663 ## Sets number of segments per diagonal of boundary box of geometry by which
664 # default segment length of appropriate 1D hypotheses is defined.
665 # Default value is 10
666 # @ingroup l1_auxiliary
667 def SetBoundaryBoxSegmentation(self, nbSegments):
668 SMESH._objref_SMESH_Gen.SetBoundaryBoxSegmentation(self,nbSegments)
670 # Filtering. Auxiliary functions:
671 # ------------------------------
673 ## Creates an empty criterion
674 # @return SMESH.Filter.Criterion
675 # @ingroup l1_controls
676 def GetEmptyCriterion(self):
677 Type = self.EnumToLong(FT_Undefined)
678 Compare = self.EnumToLong(FT_Undefined)
682 UnaryOp = self.EnumToLong(FT_Undefined)
683 BinaryOp = self.EnumToLong(FT_Undefined)
686 Precision = -1 ##@1e-07
687 return Filter.Criterion(Type, Compare, Threshold, ThresholdStr, ThresholdID,
688 UnaryOp, BinaryOp, Tolerance, TypeOfElement, Precision)
690 ## Creates a criterion by the given parameters
691 # \n Criterion structures allow to define complex filters by combining them with logical operations (AND / OR) (see example below)
692 # @param elementType the type of elements(SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME)
693 # @param CritType the type of criterion (SMESH.FT_Taper, SMESH.FT_Area, etc.)
694 # Type SMESH.FunctorType._items in the Python Console to see all values.
695 # Note that the items starting from FT_LessThan are not suitable for CritType.
696 # @param Compare belongs to {SMESH.FT_LessThan, SMESH.FT_MoreThan, SMESH.FT_EqualTo}
697 # @param Threshold the threshold value (range of ids as string, shape, numeric)
698 # @param UnaryOp SMESH.FT_LogicalNOT or SMESH.FT_Undefined
699 # @param BinaryOp a binary logical operation SMESH.FT_LogicalAND, SMESH.FT_LogicalOR or
701 # @param Tolerance the tolerance used by SMESH.FT_BelongToGeom, SMESH.FT_BelongToSurface,
702 # SMESH.FT_LyingOnGeom, SMESH.FT_CoplanarFaces criteria
703 # @return SMESH.Filter.Criterion
705 # <a href="../tui_filters_page.html#combining_filters">Example of Criteria usage</a>
706 # @ingroup l1_controls
707 def GetCriterion(self,elementType,
709 Compare = FT_EqualTo,
711 UnaryOp=FT_Undefined,
712 BinaryOp=FT_Undefined,
714 if not CritType in SMESH.FunctorType._items:
715 raise TypeError, "CritType should be of SMESH.FunctorType"
716 aCriterion = self.GetEmptyCriterion()
717 aCriterion.TypeOfElement = elementType
718 aCriterion.Type = self.EnumToLong(CritType)
719 aCriterion.Tolerance = Tolerance
721 aThreshold = Threshold
723 if Compare in [FT_LessThan, FT_MoreThan, FT_EqualTo]:
724 aCriterion.Compare = self.EnumToLong(Compare)
725 elif Compare == "=" or Compare == "==":
726 aCriterion.Compare = self.EnumToLong(FT_EqualTo)
728 aCriterion.Compare = self.EnumToLong(FT_LessThan)
730 aCriterion.Compare = self.EnumToLong(FT_MoreThan)
731 elif Compare != FT_Undefined:
732 aCriterion.Compare = self.EnumToLong(FT_EqualTo)
735 if CritType in [FT_BelongToGeom, FT_BelongToPlane, FT_BelongToGenSurface,
736 FT_BelongToCylinder, FT_LyingOnGeom]:
737 # Check that Threshold is GEOM object
738 if isinstance(aThreshold, geomBuilder.GEOM._objref_GEOM_Object):
739 aCriterion.ThresholdStr = GetName(aThreshold)
740 aCriterion.ThresholdID = aThreshold.GetStudyEntry()
741 if not aCriterion.ThresholdID:
742 name = aCriterion.ThresholdStr
744 name = "%s_%s"%(aThreshold.GetShapeType(), id(aThreshold)%10000)
745 aCriterion.ThresholdID = self.geompyD.addToStudy( aThreshold, name )
746 # or a name of GEOM object
747 elif isinstance( aThreshold, str ):
748 aCriterion.ThresholdStr = aThreshold
750 raise TypeError, "The Threshold should be a shape."
751 if isinstance(UnaryOp,float):
752 aCriterion.Tolerance = UnaryOp
753 UnaryOp = FT_Undefined
755 elif CritType == FT_BelongToMeshGroup:
756 # Check that Threshold is a group
757 if isinstance(aThreshold, SMESH._objref_SMESH_GroupBase):
758 if aThreshold.GetType() != elementType:
759 raise ValueError, "Group type mismatches Element type"
760 aCriterion.ThresholdStr = aThreshold.GetName()
761 aCriterion.ThresholdID = salome.orb.object_to_string( aThreshold )
762 study = self.GetCurrentStudy()
764 so = study.FindObjectIOR( aCriterion.ThresholdID )
768 aCriterion.ThresholdID = entry
770 raise TypeError, "The Threshold should be a Mesh Group"
771 elif CritType == FT_RangeOfIds:
772 # Check that Threshold is string
773 if isinstance(aThreshold, str):
774 aCriterion.ThresholdStr = aThreshold
776 raise TypeError, "The Threshold should be a string."
777 elif CritType == FT_CoplanarFaces:
778 # Check the Threshold
779 if isinstance(aThreshold, int):
780 aCriterion.ThresholdID = str(aThreshold)
781 elif isinstance(aThreshold, str):
784 raise ValueError, "Invalid ID of mesh face: '%s'"%aThreshold
785 aCriterion.ThresholdID = aThreshold
788 "The Threshold should be an ID of mesh face and not '%s'"%aThreshold
789 elif CritType == FT_ConnectedElements:
790 # Check the Threshold
791 if isinstance(aThreshold, geomBuilder.GEOM._objref_GEOM_Object): # shape
792 aCriterion.ThresholdID = aThreshold.GetStudyEntry()
793 if not aCriterion.ThresholdID:
794 name = aThreshold.GetName()
796 name = "%s_%s"%(aThreshold.GetShapeType(), id(aThreshold)%10000)
797 aCriterion.ThresholdID = self.geompyD.addToStudy( aThreshold, name )
798 elif isinstance(aThreshold, int): # node id
799 aCriterion.Threshold = aThreshold
800 elif isinstance(aThreshold, list): # 3 point coordinates
801 if len( aThreshold ) < 3:
802 raise ValueError, "too few point coordinates, must be 3"
803 aCriterion.ThresholdStr = " ".join( [str(c) for c in aThreshold[:3]] )
804 elif isinstance(aThreshold, str):
805 if aThreshold.isdigit():
806 aCriterion.Threshold = aThreshold # node id
808 aCriterion.ThresholdStr = aThreshold # hope that it's point coordinates
811 "The Threshold should either a VERTEX, or a node ID, "\
812 "or a list of point coordinates and not '%s'"%aThreshold
813 elif CritType == FT_ElemGeomType:
814 # Check the Threshold
816 aCriterion.Threshold = self.EnumToLong(aThreshold)
817 assert( aThreshold in SMESH.GeometryType._items )
819 if isinstance(aThreshold, int):
820 aCriterion.Threshold = aThreshold
822 raise TypeError, "The Threshold should be an integer or SMESH.GeometryType."
825 elif CritType == FT_EntityType:
826 # Check the Threshold
828 aCriterion.Threshold = self.EnumToLong(aThreshold)
829 assert( aThreshold in SMESH.EntityType._items )
831 if isinstance(aThreshold, int):
832 aCriterion.Threshold = aThreshold
834 raise TypeError, "The Threshold should be an integer or SMESH.EntityType."
838 elif CritType == FT_GroupColor:
839 # Check the Threshold
841 aCriterion.ThresholdStr = self.ColorToString(aThreshold)
843 raise TypeError, "The threshold value should be of SALOMEDS.Color type"
845 elif CritType in [FT_FreeBorders, FT_FreeEdges, FT_FreeNodes, FT_FreeFaces,
846 FT_LinearOrQuadratic, FT_BadOrientedVolume,
847 FT_BareBorderFace, FT_BareBorderVolume,
848 FT_OverConstrainedFace, FT_OverConstrainedVolume,
849 FT_EqualNodes,FT_EqualEdges,FT_EqualFaces,FT_EqualVolumes ]:
850 # At this point the Threshold is unnecessary
851 if aThreshold == FT_LogicalNOT:
852 aCriterion.UnaryOp = self.EnumToLong(FT_LogicalNOT)
853 elif aThreshold in [FT_LogicalAND, FT_LogicalOR]:
854 aCriterion.BinaryOp = aThreshold
858 aThreshold = float(aThreshold)
859 aCriterion.Threshold = aThreshold
861 raise TypeError, "The Threshold should be a number."
864 if Threshold == FT_LogicalNOT or UnaryOp == FT_LogicalNOT:
865 aCriterion.UnaryOp = self.EnumToLong(FT_LogicalNOT)
867 if Threshold in [FT_LogicalAND, FT_LogicalOR]:
868 aCriterion.BinaryOp = self.EnumToLong(Threshold)
870 if UnaryOp in [FT_LogicalAND, FT_LogicalOR]:
871 aCriterion.BinaryOp = self.EnumToLong(UnaryOp)
873 if BinaryOp in [FT_LogicalAND, FT_LogicalOR]:
874 aCriterion.BinaryOp = self.EnumToLong(BinaryOp)
878 ## Creates a filter with the given parameters
879 # @param elementType the type of elements (SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME)
880 # @param CritType the type of criterion (SMESH.FT_Taper, SMESH.FT_Area, etc.)
881 # Type SMESH.FunctorType._items in the Python Console to see all values.
882 # Note that the items starting from FT_LessThan are not suitable for CritType.
883 # @param Compare belongs to {SMESH.FT_LessThan, SMESH.FT_MoreThan, SMESH.FT_EqualTo}
884 # @param Threshold the threshold value (range of ids as string, shape, numeric)
885 # @param UnaryOp SMESH.FT_LogicalNOT or SMESH.FT_Undefined
886 # @param Tolerance the tolerance used by SMESH.FT_BelongToGeom, SMESH.FT_BelongToSurface,
887 # SMESH.FT_LyingOnGeom, SMESH.FT_CoplanarFaces and SMESH.FT_EqualNodes criteria
888 # @param mesh the mesh to initialize the filter with
889 # @return SMESH_Filter
891 # <a href="../tui_filters_page.html#tui_filters">Example of Filters usage</a>
892 # @ingroup l1_controls
893 def GetFilter(self,elementType,
894 CritType=FT_Undefined,
897 UnaryOp=FT_Undefined,
900 aCriterion = self.GetCriterion(elementType, CritType, Compare, Threshold, UnaryOp, FT_Undefined,Tolerance)
901 aFilterMgr = self.CreateFilterManager()
902 aFilter = aFilterMgr.CreateFilter()
904 aCriteria.append(aCriterion)
905 aFilter.SetCriteria(aCriteria)
907 if isinstance( mesh, Mesh ): aFilter.SetMesh( mesh.GetMesh() )
908 else : aFilter.SetMesh( mesh )
909 aFilterMgr.UnRegister()
912 ## Creates a filter from criteria
913 # @param criteria a list of criteria
914 # @param binOp binary operator used when binary operator of criteria is undefined
915 # @return SMESH_Filter
917 # <a href="../tui_filters_page.html#tui_filters">Example of Filters usage</a>
918 # @ingroup l1_controls
919 def GetFilterFromCriteria(self,criteria, binOp=SMESH.FT_LogicalAND):
920 for i in range( len( criteria ) - 1 ):
921 if criteria[i].BinaryOp == self.EnumToLong( SMESH.FT_Undefined ):
922 criteria[i].BinaryOp = self.EnumToLong( binOp )
923 aFilterMgr = self.CreateFilterManager()
924 aFilter = aFilterMgr.CreateFilter()
925 aFilter.SetCriteria(criteria)
926 aFilterMgr.UnRegister()
929 ## Creates a numerical functor by its type
930 # @param theCriterion functor type - an item of SMESH.FunctorType enumeration.
931 # Type SMESH.FunctorType._items in the Python Console to see all items.
932 # Note that not all items corresponds to numerical functors.
933 # @return SMESH_NumericalFunctor
934 # @ingroup l1_controls
935 def GetFunctor(self,theCriterion):
936 if isinstance( theCriterion, SMESH._objref_NumericalFunctor ):
938 aFilterMgr = self.CreateFilterManager()
940 if theCriterion == FT_AspectRatio:
941 functor = aFilterMgr.CreateAspectRatio()
942 elif theCriterion == FT_AspectRatio3D:
943 functor = aFilterMgr.CreateAspectRatio3D()
944 elif theCriterion == FT_Warping:
945 functor = aFilterMgr.CreateWarping()
946 elif theCriterion == FT_MinimumAngle:
947 functor = aFilterMgr.CreateMinimumAngle()
948 elif theCriterion == FT_Taper:
949 functor = aFilterMgr.CreateTaper()
950 elif theCriterion == FT_Skew:
951 functor = aFilterMgr.CreateSkew()
952 elif theCriterion == FT_Area:
953 functor = aFilterMgr.CreateArea()
954 elif theCriterion == FT_Volume3D:
955 functor = aFilterMgr.CreateVolume3D()
956 elif theCriterion == FT_MaxElementLength2D:
957 functor = aFilterMgr.CreateMaxElementLength2D()
958 elif theCriterion == FT_MaxElementLength3D:
959 functor = aFilterMgr.CreateMaxElementLength3D()
960 elif theCriterion == FT_MultiConnection:
961 functor = aFilterMgr.CreateMultiConnection()
962 elif theCriterion == FT_MultiConnection2D:
963 functor = aFilterMgr.CreateMultiConnection2D()
964 elif theCriterion == FT_Length:
965 functor = aFilterMgr.CreateLength()
966 elif theCriterion == FT_Length2D:
967 functor = aFilterMgr.CreateLength2D()
969 print "Error: given parameter is not numerical functor type."
970 aFilterMgr.UnRegister()
973 ## Creates hypothesis
974 # @param theHType mesh hypothesis type (string)
975 # @param theLibName mesh plug-in library name
976 # @return created hypothesis instance
977 def CreateHypothesis(self, theHType, theLibName="libStdMeshersEngine.so"):
978 hyp = SMESH._objref_SMESH_Gen.CreateHypothesis(self, theHType, theLibName )
980 if isinstance( hyp, SMESH._objref_SMESH_Algo ):
983 # wrap hypothesis methods
984 #print "HYPOTHESIS", theHType
985 for meth_name in dir( hyp.__class__ ):
986 if not meth_name.startswith("Get") and \
987 not meth_name in dir ( SMESH._objref_SMESH_Hypothesis ):
988 method = getattr ( hyp.__class__, meth_name )
990 setattr( hyp, meth_name, hypMethodWrapper( hyp, method ))
994 ## Gets the mesh statistic
995 # @return dictionary "element type" - "count of elements"
996 # @ingroup l1_meshinfo
997 def GetMeshInfo(self, obj):
998 if isinstance( obj, Mesh ):
1001 if hasattr(obj, "GetMeshInfo"):
1002 values = obj.GetMeshInfo()
1003 for i in range(SMESH.Entity_Last._v):
1004 if i < len(values): d[SMESH.EntityType._item(i)]=values[i]
1008 ## Get minimum distance between two objects
1010 # If @a src2 is None, and @a id2 = 0, distance from @a src1 / @a id1 to the origin is computed.
1011 # If @a src2 is None, and @a id2 != 0, it is assumed that both @a id1 and @a id2 belong to @a src1.
1013 # @param src1 first source object
1014 # @param src2 second source object
1015 # @param id1 node/element id from the first source
1016 # @param id2 node/element id from the second (or first) source
1017 # @param isElem1 @c True if @a id1 is element id, @c False if it is node id
1018 # @param isElem2 @c True if @a id2 is element id, @c False if it is node id
1019 # @return minimum distance value
1020 # @sa GetMinDistance()
1021 # @ingroup l1_measurements
1022 def MinDistance(self, src1, src2=None, id1=0, id2=0, isElem1=False, isElem2=False):
1023 result = self.GetMinDistance(src1, src2, id1, id2, isElem1, isElem2)
1027 result = result.value
1030 ## Get measure structure specifying minimum distance data between two objects
1032 # If @a src2 is None, and @a id2 = 0, distance from @a src1 / @a id1 to the origin is computed.
1033 # If @a src2 is None, and @a id2 != 0, it is assumed that both @a id1 and @a id2 belong to @a src1.
1035 # @param src1 first source object
1036 # @param src2 second source object
1037 # @param id1 node/element id from the first source
1038 # @param id2 node/element id from the second (or first) source
1039 # @param isElem1 @c True if @a id1 is element id, @c False if it is node id
1040 # @param isElem2 @c True if @a id2 is element id, @c False if it is node id
1041 # @return Measure structure or None if input data is invalid
1043 # @ingroup l1_measurements
1044 def GetMinDistance(self, src1, src2=None, id1=0, id2=0, isElem1=False, isElem2=False):
1045 if isinstance(src1, Mesh): src1 = src1.mesh
1046 if isinstance(src2, Mesh): src2 = src2.mesh
1047 if src2 is None and id2 != 0: src2 = src1
1048 if not hasattr(src1, "_narrow"): return None
1049 src1 = src1._narrow(SMESH.SMESH_IDSource)
1050 if not src1: return None
1051 unRegister = genObjUnRegister()
1054 e = m.GetMeshEditor()
1056 src1 = e.MakeIDSource([id1], SMESH.FACE)
1058 src1 = e.MakeIDSource([id1], SMESH.NODE)
1059 unRegister.set( src1 )
1061 if hasattr(src2, "_narrow"):
1062 src2 = src2._narrow(SMESH.SMESH_IDSource)
1063 if src2 and id2 != 0:
1065 e = m.GetMeshEditor()
1067 src2 = e.MakeIDSource([id2], SMESH.FACE)
1069 src2 = e.MakeIDSource([id2], SMESH.NODE)
1070 unRegister.set( src2 )
1073 aMeasurements = self.CreateMeasurements()
1074 unRegister.set( aMeasurements )
1075 result = aMeasurements.MinDistance(src1, src2)
1078 ## Get bounding box of the specified object(s)
1079 # @param objects single source object or list of source objects
1080 # @return tuple of six values (minX, minY, minZ, maxX, maxY, maxZ)
1081 # @sa GetBoundingBox()
1082 # @ingroup l1_measurements
1083 def BoundingBox(self, objects):
1084 result = self.GetBoundingBox(objects)
1088 result = (result.minX, result.minY, result.minZ, result.maxX, result.maxY, result.maxZ)
1091 ## Get measure structure specifying bounding box data of the specified object(s)
1092 # @param objects single source object or list of source objects
1093 # @return Measure structure
1095 # @ingroup l1_measurements
1096 def GetBoundingBox(self, objects):
1097 if isinstance(objects, tuple):
1098 objects = list(objects)
1099 if not isinstance(objects, list):
1103 if isinstance(o, Mesh):
1104 srclist.append(o.mesh)
1105 elif hasattr(o, "_narrow"):
1106 src = o._narrow(SMESH.SMESH_IDSource)
1107 if src: srclist.append(src)
1110 aMeasurements = self.CreateMeasurements()
1111 result = aMeasurements.BoundingBox(srclist)
1112 aMeasurements.UnRegister()
1115 ## Get sum of lengths of all 1D elements in the mesh object.
1116 # @param obj mesh, submesh or group
1117 # @return sum of lengths of all 1D elements
1118 # @ingroup l1_measurements
1119 def GetLength(self, obj):
1120 if isinstance(obj, Mesh): obj = obj.mesh
1121 if isinstance(obj, Mesh_Algorithm): obj = obj.GetSubMesh()
1122 aMeasurements = self.CreateMeasurements()
1123 value = aMeasurements.Length(obj)
1124 aMeasurements.UnRegister()
1127 ## Get sum of areas of all 2D elements in the mesh object.
1128 # @param obj mesh, submesh or group
1129 # @return sum of areas of all 2D elements
1130 # @ingroup l1_measurements
1131 def GetArea(self, obj):
1132 if isinstance(obj, Mesh): obj = obj.mesh
1133 if isinstance(obj, Mesh_Algorithm): obj = obj.GetSubMesh()
1134 aMeasurements = self.CreateMeasurements()
1135 value = aMeasurements.Area(obj)
1136 aMeasurements.UnRegister()
1139 ## Get sum of volumes of all 3D elements in the mesh object.
1140 # @param obj mesh, submesh or group
1141 # @return sum of volumes of all 3D elements
1142 # @ingroup l1_measurements
1143 def GetVolume(self, obj):
1144 if isinstance(obj, Mesh): obj = obj.mesh
1145 if isinstance(obj, Mesh_Algorithm): obj = obj.GetSubMesh()
1146 aMeasurements = self.CreateMeasurements()
1147 value = aMeasurements.Volume(obj)
1148 aMeasurements.UnRegister()
1151 pass # end of class smeshBuilder
1154 #Registering the new proxy for SMESH_Gen
1155 omniORB.registerObjref(SMESH._objref_SMESH_Gen._NP_RepositoryId, smeshBuilder)
1157 ## Create a new smeshBuilder instance.The smeshBuilder class provides the Python
1158 # interface to create or load meshes.
1163 # salome.salome_init()
1164 # from salome.smesh import smeshBuilder
1165 # smesh = smeshBuilder.New(theStudy)
1167 # @param study SALOME study, generally obtained by salome.myStudy.
1168 # @param instance CORBA proxy of SMESH Engine. If None, the default Engine is used.
1169 # @return smeshBuilder instance
1171 def New( study, instance=None):
1173 Create a new smeshBuilder instance.The smeshBuilder class provides the Python
1174 interface to create or load meshes.
1178 salome.salome_init()
1179 from salome.smesh import smeshBuilder
1180 smesh = smeshBuilder.New(theStudy)
1183 study SALOME study, generally obtained by salome.myStudy.
1184 instance CORBA proxy of SMESH Engine. If None, the default Engine is used.
1186 smeshBuilder instance
1194 smeshInst = smeshBuilder()
1195 assert isinstance(smeshInst,smeshBuilder), "Smesh engine class is %s but should be smeshBuilder.smeshBuilder. Import salome.smesh.smeshBuilder before creating the instance."%smeshInst.__class__
1196 smeshInst.init_smesh(study)
1200 # Public class: Mesh
1201 # ==================
1203 ## This class allows defining and managing a mesh.
1204 # It has a set of methods to build a mesh on the given geometry, including the definition of sub-meshes.
1205 # It also has methods to define groups of mesh elements, to modify a mesh (by addition of
1206 # new nodes and elements and by changing the existing entities), to get information
1207 # about a mesh and to export a mesh into different formats.
1209 __metaclass__ = MeshMeta
1217 # Creates a mesh on the shape \a obj (or an empty mesh if \a obj is equal to 0) and
1218 # sets the GUI name of this mesh to \a name.
1219 # @param smeshpyD an instance of smeshBuilder class
1220 # @param geompyD an instance of geomBuilder class
1221 # @param obj Shape to be meshed or SMESH_Mesh object
1222 # @param name Study name of the mesh
1223 # @ingroup l2_construct
1224 def __init__(self, smeshpyD, geompyD, obj=0, name=0):
1225 self.smeshpyD=smeshpyD
1226 self.geompyD=geompyD
1231 if isinstance(obj, geomBuilder.GEOM._objref_GEOM_Object):
1234 # publish geom of mesh (issue 0021122)
1235 if not self.geom.GetStudyEntry() and smeshpyD.GetCurrentStudy():
1237 studyID = smeshpyD.GetCurrentStudy()._get_StudyId()
1238 if studyID != geompyD.myStudyId:
1239 geompyD.init_geom( smeshpyD.GetCurrentStudy())
1242 geo_name = name + " shape"
1244 geo_name = "%s_%s to mesh"%(self.geom.GetShapeType(), id(self.geom)%100)
1245 geompyD.addToStudy( self.geom, geo_name )
1246 self.SetMesh( self.smeshpyD.CreateMesh(self.geom) )
1248 elif isinstance(obj, SMESH._objref_SMESH_Mesh):
1251 self.SetMesh( self.smeshpyD.CreateEmptyMesh() )
1253 self.smeshpyD.SetName(self.mesh, name)
1255 self.smeshpyD.SetName(self.mesh, GetName(obj)) # + " mesh"
1258 self.geom = self.mesh.GetShapeToMesh()
1260 self.editor = self.mesh.GetMeshEditor()
1261 self.functors = [None] * SMESH.FT_Undefined._v
1263 # set self to algoCreator's
1264 for attrName in dir(self):
1265 attr = getattr( self, attrName )
1266 if isinstance( attr, algoCreator ):
1267 setattr( self, attrName, attr.copy( self ))
1272 ## Destructor. Clean-up resources
1275 #self.mesh.UnRegister()
1279 ## Initializes the Mesh object from an instance of SMESH_Mesh interface
1280 # @param theMesh a SMESH_Mesh object
1281 # @ingroup l2_construct
1282 def SetMesh(self, theMesh):
1283 # do not call Register() as this prevents mesh servant deletion at closing study
1284 #if self.mesh: self.mesh.UnRegister()
1287 #self.mesh.Register()
1288 self.geom = self.mesh.GetShapeToMesh()
1291 ## Returns the mesh, that is an instance of SMESH_Mesh interface
1292 # @return a SMESH_Mesh object
1293 # @ingroup l2_construct
1297 ## Gets the name of the mesh
1298 # @return the name of the mesh as a string
1299 # @ingroup l2_construct
1301 name = GetName(self.GetMesh())
1304 ## Sets a name to the mesh
1305 # @param name a new name of the mesh
1306 # @ingroup l2_construct
1307 def SetName(self, name):
1308 self.smeshpyD.SetName(self.GetMesh(), name)
1310 ## Gets the subMesh object associated to a \a theSubObject geometrical object.
1311 # The subMesh object gives access to the IDs of nodes and elements.
1312 # @param geom a geometrical object (shape)
1313 # @param name a name for the submesh
1314 # @return an object of type SMESH_SubMesh, representing a part of mesh, which lies on the given shape
1315 # @ingroup l2_submeshes
1316 def GetSubMesh(self, geom, name):
1317 AssureGeomPublished( self, geom, name )
1318 submesh = self.mesh.GetSubMesh( geom, name )
1321 ## Returns the shape associated to the mesh
1322 # @return a GEOM_Object
1323 # @ingroup l2_construct
1327 ## Associates the given shape to the mesh (entails the recreation of the mesh)
1328 # @param geom the shape to be meshed (GEOM_Object)
1329 # @ingroup l2_construct
1330 def SetShape(self, geom):
1331 self.mesh = self.smeshpyD.CreateMesh(geom)
1333 ## Loads mesh from the study after opening the study
1337 ## Returns true if the hypotheses are defined well
1338 # @param theSubObject a sub-shape of a mesh shape
1339 # @return True or False
1340 # @ingroup l2_construct
1341 def IsReadyToCompute(self, theSubObject):
1342 return self.smeshpyD.IsReadyToCompute(self.mesh, theSubObject)
1344 ## Returns errors of hypotheses definition.
1345 # The list of errors is empty if everything is OK.
1346 # @param theSubObject a sub-shape of a mesh shape
1347 # @return a list of errors
1348 # @ingroup l2_construct
1349 def GetAlgoState(self, theSubObject):
1350 return self.smeshpyD.GetAlgoState(self.mesh, theSubObject)
1352 ## Returns a geometrical object on which the given element was built.
1353 # The returned geometrical object, if not nil, is either found in the
1354 # study or published by this method with the given name
1355 # @param theElementID the id of the mesh element
1356 # @param theGeomName the user-defined name of the geometrical object
1357 # @return GEOM::GEOM_Object instance
1358 # @ingroup l2_construct
1359 def GetGeometryByMeshElement(self, theElementID, theGeomName):
1360 return self.smeshpyD.GetGeometryByMeshElement( self.mesh, theElementID, theGeomName )
1362 ## Returns the mesh dimension depending on the dimension of the underlying shape
1363 # or, if the mesh is not based on any shape, basing on deimension of elements
1364 # @return mesh dimension as an integer value [0,3]
1365 # @ingroup l1_auxiliary
1366 def MeshDimension(self):
1367 if self.mesh.HasShapeToMesh():
1368 shells = self.geompyD.SubShapeAllIDs( self.geom, self.geompyD.ShapeType["SOLID"] )
1369 if len( shells ) > 0 :
1371 elif self.geompyD.NumberOfFaces( self.geom ) > 0 :
1373 elif self.geompyD.NumberOfEdges( self.geom ) > 0 :
1378 if self.NbVolumes() > 0: return 3
1379 if self.NbFaces() > 0: return 2
1380 if self.NbEdges() > 0: return 1
1383 ## Evaluates size of prospective mesh on a shape
1384 # @return a list where i-th element is a number of elements of i-th SMESH.EntityType
1385 # To know predicted number of e.g. edges, inquire it this way
1386 # Evaluate()[ EnumToLong( Entity_Edge )]
1387 def Evaluate(self, geom=0):
1388 if geom == 0 or not isinstance(geom, geomBuilder.GEOM._objref_GEOM_Object):
1390 geom = self.mesh.GetShapeToMesh()
1393 return self.smeshpyD.Evaluate(self.mesh, geom)
1396 ## Computes the mesh and returns the status of the computation
1397 # @param geom geomtrical shape on which mesh data should be computed
1398 # @param discardModifs if True and the mesh has been edited since
1399 # a last total re-compute and that may prevent successful partial re-compute,
1400 # then the mesh is cleaned before Compute()
1401 # @param refresh if @c True, Object browser is automatically updated (when running in GUI)
1402 # @return True or False
1403 # @ingroup l2_construct
1404 def Compute(self, geom=0, discardModifs=False, refresh=False):
1405 if geom == 0 or not isinstance(geom, geomBuilder.GEOM._objref_GEOM_Object):
1407 geom = self.mesh.GetShapeToMesh()
1412 if discardModifs and self.mesh.HasModificationsToDiscard(): # issue 0020693
1414 ok = self.smeshpyD.Compute(self.mesh, geom)
1415 except SALOME.SALOME_Exception, ex:
1416 print "Mesh computation failed, exception caught:"
1417 print " ", ex.details.text
1420 print "Mesh computation failed, exception caught:"
1421 traceback.print_exc()
1425 # Treat compute errors
1426 computeErrors = self.smeshpyD.GetComputeErrors( self.mesh, geom )
1427 for err in computeErrors:
1429 if self.mesh.HasShapeToMesh():
1431 mainIOR = salome.orb.object_to_string(geom)
1432 for sname in salome.myStudyManager.GetOpenStudies():
1433 s = salome.myStudyManager.GetStudyByName(sname)
1435 mainSO = s.FindObjectIOR(mainIOR)
1436 if not mainSO: continue
1437 if err.subShapeID == 1:
1438 shapeText = ' on "%s"' % mainSO.GetName()
1439 subIt = s.NewChildIterator(mainSO)
1441 subSO = subIt.Value()
1443 obj = subSO.GetObject()
1444 if not obj: continue
1445 go = obj._narrow( geomBuilder.GEOM._objref_GEOM_Object )
1447 ids = go.GetSubShapeIndices()
1448 if len(ids) == 1 and ids[0] == err.subShapeID:
1449 shapeText = ' on "%s"' % subSO.GetName()
1452 shape = self.geompyD.GetSubShape( geom, [err.subShapeID])
1454 shapeText = " on %s #%s" % (shape.GetShapeType(), err.subShapeID)
1456 shapeText = " on subshape #%s" % (err.subShapeID)
1458 shapeText = " on subshape #%s" % (err.subShapeID)
1460 stdErrors = ["OK", #COMPERR_OK
1461 "Invalid input mesh", #COMPERR_BAD_INPUT_MESH
1462 "std::exception", #COMPERR_STD_EXCEPTION
1463 "OCC exception", #COMPERR_OCC_EXCEPTION
1464 "..", #COMPERR_SLM_EXCEPTION
1465 "Unknown exception", #COMPERR_EXCEPTION
1466 "Memory allocation problem", #COMPERR_MEMORY_PB
1467 "Algorithm failed", #COMPERR_ALGO_FAILED
1468 "Unexpected geometry", #COMPERR_BAD_SHAPE
1469 "Warning", #COMPERR_WARNING
1470 "Computation cancelled",#COMPERR_CANCELED
1471 "No mesh on sub-shape"] #COMPERR_NO_MESH_ON_SHAPE
1473 if err.code < len(stdErrors): errText = stdErrors[err.code]
1475 errText = "code %s" % -err.code
1476 if errText: errText += ". "
1477 errText += err.comment
1478 if allReasons != "":allReasons += "\n"
1480 allReasons += '- "%s"%s - %s' %(err.algoName, shapeText, errText)
1482 allReasons += '- "%s" failed%s. Error: %s' %(err.algoName, shapeText, errText)
1486 errors = self.smeshpyD.GetAlgoState( self.mesh, geom )
1488 if err.isGlobalAlgo:
1496 reason = '%s %sD algorithm is missing' % (glob, dim)
1497 elif err.state == HYP_MISSING:
1498 reason = ('%s %sD algorithm "%s" misses %sD hypothesis'
1499 % (glob, dim, name, dim))
1500 elif err.state == HYP_NOTCONFORM:
1501 reason = 'Global "Not Conform mesh allowed" hypothesis is missing'
1502 elif err.state == HYP_BAD_PARAMETER:
1503 reason = ('Hypothesis of %s %sD algorithm "%s" has a bad parameter value'
1504 % ( glob, dim, name ))
1505 elif err.state == HYP_BAD_GEOMETRY:
1506 reason = ('%s %sD algorithm "%s" is assigned to mismatching'
1507 'geometry' % ( glob, dim, name ))
1508 elif err.state == HYP_HIDDEN_ALGO:
1509 reason = ('%s %sD algorithm "%s" is ignored due to presence of a %s '
1510 'algorithm of upper dimension generating %sD mesh'
1511 % ( glob, dim, name, glob, dim ))
1513 reason = ("For unknown reason. "
1514 "Developer, revise Mesh.Compute() implementation in smeshBuilder.py!")
1516 if allReasons != "":allReasons += "\n"
1517 allReasons += "- " + reason
1519 if not ok or allReasons != "":
1520 msg = '"' + GetName(self.mesh) + '"'
1521 if ok: msg += " has been computed with warnings"
1522 else: msg += " has not been computed"
1523 if allReasons != "": msg += ":"
1528 if salome.sg.hasDesktop() and self.mesh.GetStudyId() >= 0:
1529 smeshgui = salome.ImportComponentGUI("SMESH")
1530 smeshgui.Init(self.mesh.GetStudyId())
1531 smeshgui.SetMeshIcon( salome.ObjectToID( self.mesh ), ok, (self.NbNodes()==0) )
1532 if refresh: salome.sg.updateObjBrowser(1)
1536 ## Return submesh objects list in meshing order
1537 # @return list of list of submesh objects
1538 # @ingroup l2_construct
1539 def GetMeshOrder(self):
1540 return self.mesh.GetMeshOrder()
1542 ## Return submesh objects list in meshing order
1543 # @return list of list of submesh objects
1544 # @ingroup l2_construct
1545 def SetMeshOrder(self, submeshes):
1546 return self.mesh.SetMeshOrder(submeshes)
1548 ## Removes all nodes and elements
1549 # @param refresh if @c True, Object browser is automatically updated (when running in GUI)
1550 # @ingroup l2_construct
1551 def Clear(self, refresh=False):
1553 if ( salome.sg.hasDesktop() and
1554 salome.myStudyManager.GetStudyByID( self.mesh.GetStudyId() ) ):
1555 smeshgui = salome.ImportComponentGUI("SMESH")
1556 smeshgui.Init(self.mesh.GetStudyId())
1557 smeshgui.SetMeshIcon( salome.ObjectToID( self.mesh ), False, True )
1558 if refresh: salome.sg.updateObjBrowser(1)
1560 ## Removes all nodes and elements of indicated shape
1561 # @param refresh if @c True, Object browser is automatically updated (when running in GUI)
1562 # @param geomId the ID of a sub-shape to remove elements on
1563 # @ingroup l2_construct
1564 def ClearSubMesh(self, geomId, refresh=False):
1565 self.mesh.ClearSubMesh(geomId)
1566 if salome.sg.hasDesktop():
1567 smeshgui = salome.ImportComponentGUI("SMESH")
1568 smeshgui.Init(self.mesh.GetStudyId())
1569 smeshgui.SetMeshIcon( salome.ObjectToID( self.mesh ), False, True )
1570 if refresh: salome.sg.updateObjBrowser(1)
1572 ## Computes a tetrahedral mesh using AutomaticLength + MEFISTO + Tetrahedron
1573 # @param fineness [0.0,1.0] defines mesh fineness
1574 # @return True or False
1575 # @ingroup l3_algos_basic
1576 def AutomaticTetrahedralization(self, fineness=0):
1577 dim = self.MeshDimension()
1579 self.RemoveGlobalHypotheses()
1580 self.Segment().AutomaticLength(fineness)
1582 self.Triangle().LengthFromEdges()
1587 return self.Compute()
1589 ## Computes an hexahedral mesh using AutomaticLength + Quadrangle + Hexahedron
1590 # @param fineness [0.0, 1.0] defines mesh fineness
1591 # @return True or False
1592 # @ingroup l3_algos_basic
1593 def AutomaticHexahedralization(self, fineness=0):
1594 dim = self.MeshDimension()
1595 # assign the hypotheses
1596 self.RemoveGlobalHypotheses()
1597 self.Segment().AutomaticLength(fineness)
1604 return self.Compute()
1606 ## Assigns a hypothesis
1607 # @param hyp a hypothesis to assign
1608 # @param geom a subhape of mesh geometry
1609 # @return SMESH.Hypothesis_Status
1610 # @ingroup l2_hypotheses
1611 def AddHypothesis(self, hyp, geom=0):
1612 if isinstance( hyp, geomBuilder.GEOM._objref_GEOM_Object ):
1613 hyp, geom = geom, hyp
1614 if isinstance( hyp, Mesh_Algorithm ):
1615 hyp = hyp.GetAlgorithm()
1620 geom = self.mesh.GetShapeToMesh()
1623 if self.mesh.HasShapeToMesh():
1624 hyp_type = hyp.GetName()
1625 lib_name = hyp.GetLibName()
1626 checkAll = ( not geom.IsSame( self.mesh.GetShapeToMesh() ))
1627 if checkAll and geom:
1628 checkAll = geom.GetType() == 37
1629 isApplicable = self.smeshpyD.IsApplicable(hyp_type, lib_name, geom, checkAll)
1631 AssureGeomPublished( self, geom, "shape for %s" % hyp.GetName())
1632 status = self.mesh.AddHypothesis(geom, hyp)
1634 status = HYP_BAD_GEOMETRY,""
1635 hyp_name = GetName( hyp )
1638 geom_name = geom.GetName()
1639 isAlgo = hyp._narrow( SMESH_Algo )
1640 TreatHypoStatus( status, hyp_name, geom_name, isAlgo, self )
1643 ## Return True if an algorithm of hypothesis is assigned to a given shape
1644 # @param hyp a hypothesis to check
1645 # @param geom a subhape of mesh geometry
1646 # @return True of False
1647 # @ingroup l2_hypotheses
1648 def IsUsedHypothesis(self, hyp, geom):
1649 if not hyp: # or not geom
1651 if isinstance( hyp, Mesh_Algorithm ):
1652 hyp = hyp.GetAlgorithm()
1654 hyps = self.GetHypothesisList(geom)
1656 if h.GetId() == hyp.GetId():
1660 ## Unassigns a hypothesis
1661 # @param hyp a hypothesis to unassign
1662 # @param geom a sub-shape of mesh geometry
1663 # @return SMESH.Hypothesis_Status
1664 # @ingroup l2_hypotheses
1665 def RemoveHypothesis(self, hyp, geom=0):
1668 if isinstance( hyp, Mesh_Algorithm ):
1669 hyp = hyp.GetAlgorithm()
1675 if self.IsUsedHypothesis( hyp, shape ):
1676 return self.mesh.RemoveHypothesis( shape, hyp )
1677 hypName = GetName( hyp )
1678 geoName = GetName( shape )
1679 print "WARNING: RemoveHypothesis() failed as '%s' is not assigned to '%s' shape" % ( hypName, geoName )
1682 ## Gets the list of hypotheses added on a geometry
1683 # @param geom a sub-shape of mesh geometry
1684 # @return the sequence of SMESH_Hypothesis
1685 # @ingroup l2_hypotheses
1686 def GetHypothesisList(self, geom):
1687 return self.mesh.GetHypothesisList( geom )
1689 ## Removes all global hypotheses
1690 # @ingroup l2_hypotheses
1691 def RemoveGlobalHypotheses(self):
1692 current_hyps = self.mesh.GetHypothesisList( self.geom )
1693 for hyp in current_hyps:
1694 self.mesh.RemoveHypothesis( self.geom, hyp )
1698 ## Exports the mesh in a file in MED format and chooses the \a version of MED format
1699 ## allowing to overwrite the file if it exists or add the exported data to its contents
1700 # @param f is the file name
1701 # @param auto_groups boolean parameter for creating/not creating
1702 # the groups Group_On_All_Nodes, Group_On_All_Faces, ... ;
1703 # the typical use is auto_groups=false.
1704 # @param version MED format version(MED_V2_1 or MED_V2_2)
1705 # @param overwrite boolean parameter for overwriting/not overwriting the file
1706 # @param meshPart a part of mesh (group, sub-mesh) to export instead of the mesh
1707 # @param autoDimension: if @c True (default), a space dimension of a MED mesh can be either
1708 # - 1D if all mesh nodes lie on OX coordinate axis, or
1709 # - 2D if all mesh nodes lie on XOY coordinate plane, or
1710 # - 3D in the rest cases.
1711 # If @a autoDimension is @c False, the space dimension is always 3.
1712 # @param fields : list of GEOM fields defined on the shape to mesh.
1713 # @param geomAssocFields : each character of this string means a need to export a
1714 # corresponding field; correspondence between fields and characters is following:
1715 # - 'v' stands for _vertices_ field;
1716 # - 'e' stands for _edges_ field;
1717 # - 'f' stands for _faces_ field;
1718 # - 's' stands for _solids_ field.
1719 # @ingroup l2_impexp
1720 def ExportMED(self, f, auto_groups=0, version=MED_V2_2,
1721 overwrite=1, meshPart=None, autoDimension=True, fields=[], geomAssocFields=''):
1722 if meshPart or fields or geomAssocFields:
1723 unRegister = genObjUnRegister()
1724 if isinstance( meshPart, list ):
1725 meshPart = self.GetIDSource( meshPart, SMESH.ALL )
1726 unRegister.set( meshPart )
1727 self.mesh.ExportPartToMED( meshPart, f, auto_groups, version, overwrite, autoDimension,
1728 fields, geomAssocFields)
1730 self.mesh.ExportToMEDX(f, auto_groups, version, overwrite, autoDimension)
1732 ## Exports the mesh in a file in SAUV format
1733 # @param f is the file name
1734 # @param auto_groups boolean parameter for creating/not creating
1735 # the groups Group_On_All_Nodes, Group_On_All_Faces, ... ;
1736 # the typical use is auto_groups=false.
1737 # @ingroup l2_impexp
1738 def ExportSAUV(self, f, auto_groups=0):
1739 self.mesh.ExportSAUV(f, auto_groups)
1741 ## Exports the mesh in a file in DAT format
1742 # @param f the file name
1743 # @param meshPart a part of mesh (group, sub-mesh) to export instead of the mesh
1744 # @ingroup l2_impexp
1745 def ExportDAT(self, f, meshPart=None):
1747 unRegister = genObjUnRegister()
1748 if isinstance( meshPart, list ):
1749 meshPart = self.GetIDSource( meshPart, SMESH.ALL )
1750 unRegister.set( meshPart )
1751 self.mesh.ExportPartToDAT( meshPart, f )
1753 self.mesh.ExportDAT(f)
1755 ## Exports the mesh in a file in UNV format
1756 # @param f the file name
1757 # @param meshPart a part of mesh (group, sub-mesh) to export instead of the mesh
1758 # @ingroup l2_impexp
1759 def ExportUNV(self, f, meshPart=None):
1761 unRegister = genObjUnRegister()
1762 if isinstance( meshPart, list ):
1763 meshPart = self.GetIDSource( meshPart, SMESH.ALL )
1764 unRegister.set( meshPart )
1765 self.mesh.ExportPartToUNV( meshPart, f )
1767 self.mesh.ExportUNV(f)
1769 ## Export the mesh in a file in STL format
1770 # @param f the file name
1771 # @param ascii defines the file encoding
1772 # @param meshPart a part of mesh (group, sub-mesh) to export instead of the mesh
1773 # @ingroup l2_impexp
1774 def ExportSTL(self, f, ascii=1, meshPart=None):
1776 unRegister = genObjUnRegister()
1777 if isinstance( meshPart, list ):
1778 meshPart = self.GetIDSource( meshPart, SMESH.ALL )
1779 unRegister.set( meshPart )
1780 self.mesh.ExportPartToSTL( meshPart, f, ascii )
1782 self.mesh.ExportSTL(f, ascii)
1784 ## Exports the mesh in a file in CGNS format
1785 # @param f is the file name
1786 # @param overwrite boolean parameter for overwriting/not overwriting the file
1787 # @param meshPart a part of mesh (group, sub-mesh) to export instead of the mesh
1788 # @ingroup l2_impexp
1789 def ExportCGNS(self, f, overwrite=1, meshPart=None):
1790 unRegister = genObjUnRegister()
1791 if isinstance( meshPart, list ):
1792 meshPart = self.GetIDSource( meshPart, SMESH.ALL )
1793 unRegister.set( meshPart )
1794 if isinstance( meshPart, Mesh ):
1795 meshPart = meshPart.mesh
1797 meshPart = self.mesh
1798 self.mesh.ExportCGNS(meshPart, f, overwrite)
1800 ## Exports the mesh in a file in GMF format.
1801 # GMF files must have .mesh extension for the ASCII format and .meshb for
1802 # the bynary format. Other extensions are not allowed.
1803 # @param f is the file name
1804 # @param meshPart a part of mesh (group, sub-mesh) to export instead of the mesh
1805 # @ingroup l2_impexp
1806 def ExportGMF(self, f, meshPart=None):
1807 unRegister = genObjUnRegister()
1808 if isinstance( meshPart, list ):
1809 meshPart = self.GetIDSource( meshPart, SMESH.ALL )
1810 unRegister.set( meshPart )
1811 if isinstance( meshPart, Mesh ):
1812 meshPart = meshPart.mesh
1814 meshPart = self.mesh
1815 self.mesh.ExportGMF(meshPart, f, True)
1817 ## Deprecated, used only for compatibility! Please, use ExportToMEDX() method instead.
1818 # Exports the mesh in a file in MED format and chooses the \a version of MED format
1819 ## allowing to overwrite the file if it exists or add the exported data to its contents
1820 # @param f the file name
1821 # @param version values are SMESH.MED_V2_1, SMESH.MED_V2_2
1822 # @param opt boolean parameter for creating/not creating
1823 # the groups Group_On_All_Nodes, Group_On_All_Faces, ...
1824 # @param overwrite boolean parameter for overwriting/not overwriting the file
1825 # @param autoDimension: if @c True (default), a space dimension of a MED mesh can be either
1826 # - 1D if all mesh nodes lie on OX coordinate axis, or
1827 # - 2D if all mesh nodes lie on XOY coordinate plane, or
1828 # - 3D in the rest cases.
1830 # If @a autoDimension is @c False, the space dimension is always 3.
1831 # @ingroup l2_impexp
1832 def ExportToMED(self, f, version, opt=0, overwrite=1, autoDimension=True):
1833 self.mesh.ExportToMEDX(f, opt, version, overwrite, autoDimension)
1835 # Operations with groups:
1836 # ----------------------
1838 ## Creates an empty mesh group
1839 # @param elementType the type of elements in the group; either of
1840 # (SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME)
1841 # @param name the name of the mesh group
1842 # @return SMESH_Group
1843 # @ingroup l2_grps_create
1844 def CreateEmptyGroup(self, elementType, name):
1845 return self.mesh.CreateGroup(elementType, name)
1847 ## Creates a mesh group based on the geometric object \a grp
1848 # and gives a \a name, \n if this parameter is not defined
1849 # the name is the same as the geometric group name \n
1850 # Note: Works like GroupOnGeom().
1851 # @param grp a geometric group, a vertex, an edge, a face or a solid
1852 # @param name the name of the mesh group
1853 # @return SMESH_GroupOnGeom
1854 # @ingroup l2_grps_create
1855 def Group(self, grp, name=""):
1856 return self.GroupOnGeom(grp, name)
1858 ## Creates a mesh group based on the geometrical object \a grp
1859 # and gives a \a name, \n if this parameter is not defined
1860 # the name is the same as the geometrical group name
1861 # @param grp a geometrical group, a vertex, an edge, a face or a solid
1862 # @param name the name of the mesh group
1863 # @param typ the type of elements in the group; either of
1864 # (SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME). If not set, it is
1865 # automatically detected by the type of the geometry
1866 # @return SMESH_GroupOnGeom
1867 # @ingroup l2_grps_create
1868 def GroupOnGeom(self, grp, name="", typ=None):
1869 AssureGeomPublished( self, grp, name )
1871 name = grp.GetName()
1873 typ = self._groupTypeFromShape( grp )
1874 return self.mesh.CreateGroupFromGEOM(typ, name, grp)
1876 ## Pivate method to get a type of group on geometry
1877 def _groupTypeFromShape( self, shape ):
1878 tgeo = str(shape.GetShapeType())
1879 if tgeo == "VERTEX":
1881 elif tgeo == "EDGE":
1883 elif tgeo == "FACE" or tgeo == "SHELL":
1885 elif tgeo == "SOLID" or tgeo == "COMPSOLID":
1887 elif tgeo == "COMPOUND":
1888 sub = self.geompyD.SubShapeAll( shape, self.geompyD.ShapeType["SHAPE"])
1890 raise ValueError,"_groupTypeFromShape(): empty geometric group or compound '%s'" % GetName(shape)
1891 return self._groupTypeFromShape( sub[0] )
1894 "_groupTypeFromShape(): invalid geometry '%s'" % GetName(shape)
1897 ## Creates a mesh group with given \a name based on the \a filter which
1898 ## is a special type of group dynamically updating it's contents during
1899 ## mesh modification
1900 # @param typ the type of elements in the group; either of
1901 # (SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME).
1902 # @param name the name of the mesh group
1903 # @param filter the filter defining group contents
1904 # @return SMESH_GroupOnFilter
1905 # @ingroup l2_grps_create
1906 def GroupOnFilter(self, typ, name, filter):
1907 return self.mesh.CreateGroupFromFilter(typ, name, filter)
1909 ## Creates a mesh group by the given ids of elements
1910 # @param groupName the name of the mesh group
1911 # @param elementType the type of elements in the group; either of
1912 # (SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME).
1913 # @param elemIDs the list of ids
1914 # @return SMESH_Group
1915 # @ingroup l2_grps_create
1916 def MakeGroupByIds(self, groupName, elementType, elemIDs):
1917 group = self.mesh.CreateGroup(elementType, groupName)
1918 if hasattr( elemIDs, "GetIDs" ):
1919 if hasattr( elemIDs, "SetMesh" ):
1920 elemIDs.SetMesh( self.GetMesh() )
1921 group.AddFrom( elemIDs )
1926 ## Creates a mesh group by the given conditions
1927 # @param groupName the name of the mesh group
1928 # @param elementType the type of elements(SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME)
1929 # @param CritType the type of criterion (SMESH.FT_Taper, SMESH.FT_Area, etc.)
1930 # Type SMESH.FunctorType._items in the Python Console to see all values.
1931 # Note that the items starting from FT_LessThan are not suitable for CritType.
1932 # @param Compare belongs to {SMESH.FT_LessThan, SMESH.FT_MoreThan, SMESH.FT_EqualTo}
1933 # @param Threshold the threshold value (range of ids as string, shape, numeric)
1934 # @param UnaryOp SMESH.FT_LogicalNOT or SMESH.FT_Undefined
1935 # @param Tolerance the tolerance used by SMESH.FT_BelongToGeom, SMESH.FT_BelongToSurface,
1936 # SMESH.FT_LyingOnGeom, SMESH.FT_CoplanarFaces criteria
1937 # @return SMESH_GroupOnFilter
1938 # @ingroup l2_grps_create
1942 CritType=FT_Undefined,
1945 UnaryOp=FT_Undefined,
1947 aCriterion = self.smeshpyD.GetCriterion(elementType, CritType, Compare, Threshold, UnaryOp, FT_Undefined,Tolerance)
1948 group = self.MakeGroupByCriterion(groupName, aCriterion)
1951 ## Creates a mesh group by the given criterion
1952 # @param groupName the name of the mesh group
1953 # @param Criterion the instance of Criterion class
1954 # @return SMESH_GroupOnFilter
1955 # @ingroup l2_grps_create
1956 def MakeGroupByCriterion(self, groupName, Criterion):
1957 return self.MakeGroupByCriteria( groupName, [Criterion] )
1959 ## Creates a mesh group by the given criteria (list of criteria)
1960 # @param groupName the name of the mesh group
1961 # @param theCriteria the list of criteria
1962 # @param binOp binary operator used when binary operator of criteria is undefined
1963 # @return SMESH_GroupOnFilter
1964 # @ingroup l2_grps_create
1965 def MakeGroupByCriteria(self, groupName, theCriteria, binOp=SMESH.FT_LogicalAND):
1966 aFilter = self.smeshpyD.GetFilterFromCriteria( theCriteria, binOp )
1967 group = self.MakeGroupByFilter(groupName, aFilter)
1970 ## Creates a mesh group by the given filter
1971 # @param groupName the name of the mesh group
1972 # @param theFilter the instance of Filter class
1973 # @return SMESH_GroupOnFilter
1974 # @ingroup l2_grps_create
1975 def MakeGroupByFilter(self, groupName, theFilter):
1976 #group = self.CreateEmptyGroup(theFilter.GetElementType(), groupName)
1977 #theFilter.SetMesh( self.mesh )
1978 #group.AddFrom( theFilter )
1979 group = self.GroupOnFilter( theFilter.GetElementType(), groupName, theFilter )
1983 # @ingroup l2_grps_delete
1984 def RemoveGroup(self, group):
1985 self.mesh.RemoveGroup(group)
1987 ## Removes a group with its contents
1988 # @ingroup l2_grps_delete
1989 def RemoveGroupWithContents(self, group):
1990 self.mesh.RemoveGroupWithContents(group)
1992 ## Gets the list of groups existing in the mesh in the order
1993 # of creation (starting from the oldest one)
1994 # @param elemType type of elements the groups contain; either of
1995 # (SMESH.ALL, SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME);
1996 # by default groups of elements of all types are returned
1997 # @return a sequence of SMESH_GroupBase
1998 # @ingroup l2_grps_create
1999 def GetGroups(self, elemType = SMESH.ALL):
2000 groups = self.mesh.GetGroups()
2001 if elemType == SMESH.ALL:
2005 if g.GetType() == elemType:
2006 typedGroups.append( g )
2011 ## Gets the number of groups existing in the mesh
2012 # @return the quantity of groups as an integer value
2013 # @ingroup l2_grps_create
2015 return self.mesh.NbGroups()
2017 ## Gets the list of names of groups existing in the mesh
2018 # @return list of strings
2019 # @ingroup l2_grps_create
2020 def GetGroupNames(self):
2021 groups = self.GetGroups()
2023 for group in groups:
2024 names.append(group.GetName())
2027 ## Finds groups by name and type
2028 # @param name name of the group of interest
2029 # @param elemType type of elements the groups contain; either of
2030 # (SMESH.ALL, SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME);
2031 # by default one group of any type of elements is returned
2032 # if elemType == SMESH.ALL then all groups of any type are returned
2033 # @return a list of SMESH_GroupBase's
2034 # @ingroup l2_grps_create
2035 def GetGroupByName(self, name, elemType = None):
2037 for group in self.GetGroups():
2038 if group.GetName() == name:
2039 if elemType is None:
2041 if ( elemType == SMESH.ALL or
2042 group.GetType() == elemType ):
2043 groups.append( group )
2046 ## Produces a union of two groups.
2047 # A new group is created. All mesh elements that are
2048 # present in the initial groups are added to the new one
2049 # @return an instance of SMESH_Group
2050 # @ingroup l2_grps_operon
2051 def UnionGroups(self, group1, group2, name):
2052 return self.mesh.UnionGroups(group1, group2, name)
2054 ## Produces a union list of groups.
2055 # New group is created. All mesh elements that are present in
2056 # initial groups are added to the new one
2057 # @return an instance of SMESH_Group
2058 # @ingroup l2_grps_operon
2059 def UnionListOfGroups(self, groups, name):
2060 return self.mesh.UnionListOfGroups(groups, name)
2062 ## Prodices an intersection of two groups.
2063 # A new group is created. All mesh elements that are common
2064 # for the two initial groups are added to the new one.
2065 # @return an instance of SMESH_Group
2066 # @ingroup l2_grps_operon
2067 def IntersectGroups(self, group1, group2, name):
2068 return self.mesh.IntersectGroups(group1, group2, name)
2070 ## Produces an intersection of groups.
2071 # New group is created. All mesh elements that are present in all
2072 # initial groups simultaneously are added to the new one
2073 # @return an instance of SMESH_Group
2074 # @ingroup l2_grps_operon
2075 def IntersectListOfGroups(self, groups, name):
2076 return self.mesh.IntersectListOfGroups(groups, name)
2078 ## Produces a cut of two groups.
2079 # A new group is created. All mesh elements that are present in
2080 # the main group but are not present in the tool group are added to the new one
2081 # @return an instance of SMESH_Group
2082 # @ingroup l2_grps_operon
2083 def CutGroups(self, main_group, tool_group, name):
2084 return self.mesh.CutGroups(main_group, tool_group, name)
2086 ## Produces a cut of groups.
2087 # A new group is created. All mesh elements that are present in main groups
2088 # but do not present in tool groups are added to the new one
2089 # @return an instance of SMESH_Group
2090 # @ingroup l2_grps_operon
2091 def CutListOfGroups(self, main_groups, tool_groups, name):
2092 return self.mesh.CutListOfGroups(main_groups, tool_groups, name)
2095 # Create a standalone group of entities basing on nodes of other groups.
2096 # \param groups - list of groups, sub-meshes or filters, of any type.
2097 # \param elemType - a type of elements to include to the new group; either of
2098 # (SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME).
2099 # \param name - a name of the new group.
2100 # \param nbCommonNodes - a criterion of inclusion of an element to the new group
2101 # basing on number of element nodes common with reference \a groups.
2102 # Meaning of possible values are:
2103 # - SMESH.ALL_NODES - include if all nodes are common,
2104 # - SMESH.MAIN - include if all corner nodes are common (meaningful for a quadratic mesh),
2105 # - SMESH.AT_LEAST_ONE - include if one or more node is common,
2106 # - SMEHS.MAJORITY - include if half of nodes or more are common.
2107 # \param underlyingOnly - if \c True (default), an element is included to the
2108 # new group provided that it is based on nodes of one element of \a groups.
2109 # @return an instance of SMESH_Group
2110 # @ingroup l2_grps_operon
2111 def CreateDimGroup(self, groups, elemType, name,
2112 nbCommonNodes = SMESH.ALL_NODES, underlyingOnly = True):
2113 if isinstance( groups, SMESH._objref_SMESH_IDSource ):
2115 return self.mesh.CreateDimGroup(groups, elemType, name, nbCommonNodes, underlyingOnly)
2118 ## Convert group on geom into standalone group
2119 # @ingroup l2_grps_delete
2120 def ConvertToStandalone(self, group):
2121 return self.mesh.ConvertToStandalone(group)
2123 # Get some info about mesh:
2124 # ------------------------
2126 ## Returns the log of nodes and elements added or removed
2127 # since the previous clear of the log.
2128 # @param clearAfterGet log is emptied after Get (safe if concurrents access)
2129 # @return list of log_block structures:
2134 # @ingroup l1_auxiliary
2135 def GetLog(self, clearAfterGet):
2136 return self.mesh.GetLog(clearAfterGet)
2138 ## Clears the log of nodes and elements added or removed since the previous
2139 # clear. Must be used immediately after GetLog if clearAfterGet is false.
2140 # @ingroup l1_auxiliary
2142 self.mesh.ClearLog()
2144 ## Toggles auto color mode on the object.
2145 # @param theAutoColor the flag which toggles auto color mode.
2146 # @ingroup l1_auxiliary
2147 def SetAutoColor(self, theAutoColor):
2148 self.mesh.SetAutoColor(theAutoColor)
2150 ## Gets flag of object auto color mode.
2151 # @return True or False
2152 # @ingroup l1_auxiliary
2153 def GetAutoColor(self):
2154 return self.mesh.GetAutoColor()
2156 ## Gets the internal ID
2157 # @return integer value, which is the internal Id of the mesh
2158 # @ingroup l1_auxiliary
2160 return self.mesh.GetId()
2163 # @return integer value, which is the study Id of the mesh
2164 # @ingroup l1_auxiliary
2165 def GetStudyId(self):
2166 return self.mesh.GetStudyId()
2168 ## Checks the group names for duplications.
2169 # Consider the maximum group name length stored in MED file.
2170 # @return True or False
2171 # @ingroup l1_auxiliary
2172 def HasDuplicatedGroupNamesMED(self):
2173 return self.mesh.HasDuplicatedGroupNamesMED()
2175 ## Obtains the mesh editor tool
2176 # @return an instance of SMESH_MeshEditor
2177 # @ingroup l1_modifying
2178 def GetMeshEditor(self):
2181 ## Wrap a list of IDs of elements or nodes into SMESH_IDSource which
2182 # can be passed as argument to a method accepting mesh, group or sub-mesh
2183 # @param ids list of IDs
2184 # @param elemType type of elements; this parameter is used to distinguish
2185 # IDs of nodes from IDs of elements; by default ids are treated as
2186 # IDs of elements; use SMESH.NODE if ids are IDs of nodes.
2187 # @return an instance of SMESH_IDSource
2188 # @warning call UnRegister() for the returned object as soon as it is no more useful:
2189 # idSrc = mesh.GetIDSource( [1,3,5], SMESH.NODE )
2190 # mesh.DoSomething( idSrc )
2191 # idSrc.UnRegister()
2192 # @ingroup l1_auxiliary
2193 def GetIDSource(self, ids, elemType = SMESH.ALL):
2194 return self.editor.MakeIDSource(ids, elemType)
2197 # Get informations about mesh contents:
2198 # ------------------------------------
2200 ## Gets the mesh stattistic
2201 # @return dictionary type element - count of elements
2202 # @ingroup l1_meshinfo
2203 def GetMeshInfo(self, obj = None):
2204 if not obj: obj = self.mesh
2205 return self.smeshpyD.GetMeshInfo(obj)
2207 ## Returns the number of nodes in the mesh
2208 # @return an integer value
2209 # @ingroup l1_meshinfo
2211 return self.mesh.NbNodes()
2213 ## Returns the number of elements in the mesh
2214 # @return an integer value
2215 # @ingroup l1_meshinfo
2216 def NbElements(self):
2217 return self.mesh.NbElements()
2219 ## Returns the number of 0d elements in the mesh
2220 # @return an integer value
2221 # @ingroup l1_meshinfo
2222 def Nb0DElements(self):
2223 return self.mesh.Nb0DElements()
2225 ## Returns the number of ball discrete elements in the mesh
2226 # @return an integer value
2227 # @ingroup l1_meshinfo
2229 return self.mesh.NbBalls()
2231 ## Returns the number of edges in the mesh
2232 # @return an integer value
2233 # @ingroup l1_meshinfo
2235 return self.mesh.NbEdges()
2237 ## Returns the number of edges with the given order in the mesh
2238 # @param elementOrder the order of elements:
2239 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2240 # @return an integer value
2241 # @ingroup l1_meshinfo
2242 def NbEdgesOfOrder(self, elementOrder):
2243 return self.mesh.NbEdgesOfOrder(elementOrder)
2245 ## Returns the number of faces in the mesh
2246 # @return an integer value
2247 # @ingroup l1_meshinfo
2249 return self.mesh.NbFaces()
2251 ## Returns the number of faces with the given order in the mesh
2252 # @param elementOrder the order of elements:
2253 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2254 # @return an integer value
2255 # @ingroup l1_meshinfo
2256 def NbFacesOfOrder(self, elementOrder):
2257 return self.mesh.NbFacesOfOrder(elementOrder)
2259 ## Returns the number of triangles in the mesh
2260 # @return an integer value
2261 # @ingroup l1_meshinfo
2262 def NbTriangles(self):
2263 return self.mesh.NbTriangles()
2265 ## Returns the number of triangles with the given order in the mesh
2266 # @param elementOrder is the order of elements:
2267 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2268 # @return an integer value
2269 # @ingroup l1_meshinfo
2270 def NbTrianglesOfOrder(self, elementOrder):
2271 return self.mesh.NbTrianglesOfOrder(elementOrder)
2273 ## Returns the number of biquadratic triangles in the mesh
2274 # @return an integer value
2275 # @ingroup l1_meshinfo
2276 def NbBiQuadTriangles(self):
2277 return self.mesh.NbBiQuadTriangles()
2279 ## Returns the number of quadrangles in the mesh
2280 # @return an integer value
2281 # @ingroup l1_meshinfo
2282 def NbQuadrangles(self):
2283 return self.mesh.NbQuadrangles()
2285 ## Returns the number of quadrangles with the given order in the mesh
2286 # @param elementOrder the order of elements:
2287 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2288 # @return an integer value
2289 # @ingroup l1_meshinfo
2290 def NbQuadranglesOfOrder(self, elementOrder):
2291 return self.mesh.NbQuadranglesOfOrder(elementOrder)
2293 ## Returns the number of biquadratic quadrangles in the mesh
2294 # @return an integer value
2295 # @ingroup l1_meshinfo
2296 def NbBiQuadQuadrangles(self):
2297 return self.mesh.NbBiQuadQuadrangles()
2299 ## Returns the number of polygons of given order in the mesh
2300 # @param elementOrder the order of elements:
2301 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2302 # @return an integer value
2303 # @ingroup l1_meshinfo
2304 def NbPolygons(self, elementOrder = SMESH.ORDER_ANY):
2305 return self.mesh.NbPolygons(elementOrder)
2307 ## Returns the number of volumes in the mesh
2308 # @return an integer value
2309 # @ingroup l1_meshinfo
2310 def NbVolumes(self):
2311 return self.mesh.NbVolumes()
2313 ## Returns the number of volumes with the given order in the mesh
2314 # @param elementOrder the order of elements:
2315 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2316 # @return an integer value
2317 # @ingroup l1_meshinfo
2318 def NbVolumesOfOrder(self, elementOrder):
2319 return self.mesh.NbVolumesOfOrder(elementOrder)
2321 ## Returns the number of tetrahedrons in the mesh
2322 # @return an integer value
2323 # @ingroup l1_meshinfo
2325 return self.mesh.NbTetras()
2327 ## Returns the number of tetrahedrons with the given order in the mesh
2328 # @param elementOrder the order of elements:
2329 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2330 # @return an integer value
2331 # @ingroup l1_meshinfo
2332 def NbTetrasOfOrder(self, elementOrder):
2333 return self.mesh.NbTetrasOfOrder(elementOrder)
2335 ## Returns the number of hexahedrons in the mesh
2336 # @return an integer value
2337 # @ingroup l1_meshinfo
2339 return self.mesh.NbHexas()
2341 ## Returns the number of hexahedrons with the given order in the mesh
2342 # @param elementOrder the order of elements:
2343 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2344 # @return an integer value
2345 # @ingroup l1_meshinfo
2346 def NbHexasOfOrder(self, elementOrder):
2347 return self.mesh.NbHexasOfOrder(elementOrder)
2349 ## Returns the number of triquadratic hexahedrons in the mesh
2350 # @return an integer value
2351 # @ingroup l1_meshinfo
2352 def NbTriQuadraticHexas(self):
2353 return self.mesh.NbTriQuadraticHexas()
2355 ## Returns the number of pyramids in the mesh
2356 # @return an integer value
2357 # @ingroup l1_meshinfo
2358 def NbPyramids(self):
2359 return self.mesh.NbPyramids()
2361 ## Returns the number of pyramids with the given order in the mesh
2362 # @param elementOrder the order of elements:
2363 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2364 # @return an integer value
2365 # @ingroup l1_meshinfo
2366 def NbPyramidsOfOrder(self, elementOrder):
2367 return self.mesh.NbPyramidsOfOrder(elementOrder)
2369 ## Returns the number of prisms in the mesh
2370 # @return an integer value
2371 # @ingroup l1_meshinfo
2373 return self.mesh.NbPrisms()
2375 ## Returns the number of prisms with the given order in the mesh
2376 # @param elementOrder the order of elements:
2377 # SMESH.ORDER_ANY, SMESH.ORDER_LINEAR or SMESH.ORDER_QUADRATIC
2378 # @return an integer value
2379 # @ingroup l1_meshinfo
2380 def NbPrismsOfOrder(self, elementOrder):
2381 return self.mesh.NbPrismsOfOrder(elementOrder)
2383 ## Returns the number of hexagonal prisms in the mesh
2384 # @return an integer value
2385 # @ingroup l1_meshinfo
2386 def NbHexagonalPrisms(self):
2387 return self.mesh.NbHexagonalPrisms()
2389 ## Returns the number of polyhedrons in the mesh
2390 # @return an integer value
2391 # @ingroup l1_meshinfo
2392 def NbPolyhedrons(self):
2393 return self.mesh.NbPolyhedrons()
2395 ## Returns the number of submeshes in the mesh
2396 # @return an integer value
2397 # @ingroup l1_meshinfo
2398 def NbSubMesh(self):
2399 return self.mesh.NbSubMesh()
2401 ## Returns the list of mesh elements IDs
2402 # @return the list of integer values
2403 # @ingroup l1_meshinfo
2404 def GetElementsId(self):
2405 return self.mesh.GetElementsId()
2407 ## Returns the list of IDs of mesh elements with the given type
2408 # @param elementType the required type of elements, either of
2409 # (SMESH.NODE, SMESH.EDGE, SMESH.FACE or SMESH.VOLUME)
2410 # @return list of integer values
2411 # @ingroup l1_meshinfo
2412 def GetElementsByType(self, elementType):
2413 return self.mesh.GetElementsByType(elementType)
2415 ## Returns the list of mesh nodes IDs
2416 # @return the list of integer values
2417 # @ingroup l1_meshinfo
2418 def GetNodesId(self):
2419 return self.mesh.GetNodesId()
2421 # Get the information about mesh elements:
2422 # ------------------------------------
2424 ## Returns the type of mesh element
2425 # @return the value from SMESH::ElementType enumeration
2426 # Type SMESH.ElementType._items in the Python Console to see all possible values.
2427 # @ingroup l1_meshinfo
2428 def GetElementType(self, id, iselem=True):
2429 return self.mesh.GetElementType(id, iselem)
2431 ## Returns the geometric type of mesh element
2432 # @return the value from SMESH::EntityType enumeration
2433 # Type SMESH.EntityType._items in the Python Console to see all possible values.
2434 # @ingroup l1_meshinfo
2435 def GetElementGeomType(self, id):
2436 return self.mesh.GetElementGeomType(id)
2438 ## Returns the shape type of mesh element
2439 # @return the value from SMESH::GeometryType enumeration.
2440 # Type SMESH.GeometryType._items in the Python Console to see all possible values.
2441 # @ingroup l1_meshinfo
2442 def GetElementShape(self, id):
2443 return self.mesh.GetElementShape(id)
2445 ## Returns the list of submesh elements IDs
2446 # @param Shape a geom object(sub-shape) IOR
2447 # Shape must be the sub-shape of a ShapeToMesh()
2448 # @return the list of integer values
2449 # @ingroup l1_meshinfo
2450 def GetSubMeshElementsId(self, Shape):
2451 if ( isinstance( Shape, geomBuilder.GEOM._objref_GEOM_Object)):
2452 ShapeID = Shape.GetSubShapeIndices()[0]
2455 return self.mesh.GetSubMeshElementsId(ShapeID)
2457 ## Returns the list of submesh nodes IDs
2458 # @param Shape a geom object(sub-shape) IOR
2459 # Shape must be the sub-shape of a ShapeToMesh()
2460 # @param all If true, gives all nodes of submesh elements, otherwise gives only submesh nodes
2461 # @return the list of integer values
2462 # @ingroup l1_meshinfo
2463 def GetSubMeshNodesId(self, Shape, all):
2464 if ( isinstance( Shape, geomBuilder.GEOM._objref_GEOM_Object)):
2465 ShapeID = self.geompyD.GetSubShapeID( self.geom, Shape )
2468 return self.mesh.GetSubMeshNodesId(ShapeID, all)
2470 ## Returns type of elements on given shape
2471 # @param Shape a geom object(sub-shape) IOR
2472 # Shape must be a sub-shape of a ShapeToMesh()
2473 # @return element type
2474 # @ingroup l1_meshinfo
2475 def GetSubMeshElementType(self, Shape):
2476 if ( isinstance( Shape, geomBuilder.GEOM._objref_GEOM_Object)):
2477 ShapeID = Shape.GetSubShapeIndices()[0]
2480 return self.mesh.GetSubMeshElementType(ShapeID)
2482 ## Gets the mesh description
2483 # @return string value
2484 # @ingroup l1_meshinfo
2486 return self.mesh.Dump()
2489 # Get the information about nodes and elements of a mesh by its IDs:
2490 # -----------------------------------------------------------
2492 ## Gets XYZ coordinates of a node
2493 # \n If there is no nodes for the given ID - returns an empty list
2494 # @return a list of double precision values
2495 # @ingroup l1_meshinfo
2496 def GetNodeXYZ(self, id):
2497 return self.mesh.GetNodeXYZ(id)
2499 ## Returns list of IDs of inverse elements for the given node
2500 # \n If there is no node for the given ID - returns an empty list
2501 # @return a list of integer values
2502 # @ingroup l1_meshinfo
2503 def GetNodeInverseElements(self, id):
2504 return self.mesh.GetNodeInverseElements(id)
2506 ## @brief Returns the position of a node on the shape
2507 # @return SMESH::NodePosition
2508 # @ingroup l1_meshinfo
2509 def GetNodePosition(self,NodeID):
2510 return self.mesh.GetNodePosition(NodeID)
2512 ## @brief Returns the position of an element on the shape
2513 # @return SMESH::ElementPosition
2514 # @ingroup l1_meshinfo
2515 def GetElementPosition(self,ElemID):
2516 return self.mesh.GetElementPosition(ElemID)
2518 ## Returns the ID of the shape, on which the given node was generated.
2519 # @return an integer value > 0 or -1 if there is no node for the given
2520 # ID or the node is not assigned to any geometry
2521 # @ingroup l1_meshinfo
2522 def GetShapeID(self, id):
2523 return self.mesh.GetShapeID(id)
2525 ## Returns the ID of the shape, on which the given element was generated.
2526 # @return an integer value > 0 or -1 if there is no element for the given
2527 # ID or the element is not assigned to any geometry
2528 # @ingroup l1_meshinfo
2529 def GetShapeIDForElem(self,id):
2530 return self.mesh.GetShapeIDForElem(id)
2532 ## Returns the number of nodes of the given element
2533 # @return an integer value > 0 or -1 if there is no element for the given ID
2534 # @ingroup l1_meshinfo
2535 def GetElemNbNodes(self, id):
2536 return self.mesh.GetElemNbNodes(id)
2538 ## Returns the node ID the given (zero based) index for the given element
2539 # \n If there is no element for the given ID - returns -1
2540 # \n If there is no node for the given index - returns -2
2541 # @return an integer value
2542 # @ingroup l1_meshinfo
2543 def GetElemNode(self, id, index):
2544 return self.mesh.GetElemNode(id, index)
2546 ## Returns the IDs of nodes of the given element
2547 # @return a list of integer values
2548 # @ingroup l1_meshinfo
2549 def GetElemNodes(self, id):
2550 return self.mesh.GetElemNodes(id)
2552 ## Returns true if the given node is the medium node in the given quadratic element
2553 # @ingroup l1_meshinfo
2554 def IsMediumNode(self, elementID, nodeID):
2555 return self.mesh.IsMediumNode(elementID, nodeID)
2557 ## Returns true if the given node is the medium node in one of quadratic elements
2558 # @param nodeID ID of the node
2559 # @param elementType the type of elements to check a state of the node, either of
2560 # (SMESH.ALL, SMESH.NODE, SMESH.EDGE, SMESH.FACE or SMESH.VOLUME)
2561 # @ingroup l1_meshinfo
2562 def IsMediumNodeOfAnyElem(self, nodeID, elementType = SMESH.ALL ):
2563 return self.mesh.IsMediumNodeOfAnyElem(nodeID, elementType)
2565 ## Returns the number of edges for the given element
2566 # @ingroup l1_meshinfo
2567 def ElemNbEdges(self, id):
2568 return self.mesh.ElemNbEdges(id)
2570 ## Returns the number of faces for the given element
2571 # @ingroup l1_meshinfo
2572 def ElemNbFaces(self, id):
2573 return self.mesh.ElemNbFaces(id)
2575 ## Returns nodes of given face (counted from zero) for given volumic element.
2576 # @ingroup l1_meshinfo
2577 def GetElemFaceNodes(self,elemId, faceIndex):
2578 return self.mesh.GetElemFaceNodes(elemId, faceIndex)
2580 ## Returns three components of normal of given mesh face
2581 # (or an empty array in KO case)
2582 # @ingroup l1_meshinfo
2583 def GetFaceNormal(self, faceId, normalized=False):
2584 return self.mesh.GetFaceNormal(faceId,normalized)
2586 ## Returns an element based on all given nodes.
2587 # @ingroup l1_meshinfo
2588 def FindElementByNodes(self,nodes):
2589 return self.mesh.FindElementByNodes(nodes)
2591 ## Returns true if the given element is a polygon
2592 # @ingroup l1_meshinfo
2593 def IsPoly(self, id):
2594 return self.mesh.IsPoly(id)
2596 ## Returns true if the given element is quadratic
2597 # @ingroup l1_meshinfo
2598 def IsQuadratic(self, id):
2599 return self.mesh.IsQuadratic(id)
2601 ## Returns diameter of a ball discrete element or zero in case of an invalid \a id
2602 # @ingroup l1_meshinfo
2603 def GetBallDiameter(self, id):
2604 return self.mesh.GetBallDiameter(id)
2606 ## Returns XYZ coordinates of the barycenter of the given element
2607 # \n If there is no element for the given ID - returns an empty list
2608 # @return a list of three double values
2609 # @ingroup l1_meshinfo
2610 def BaryCenter(self, id):
2611 return self.mesh.BaryCenter(id)
2613 ## Passes mesh elements through the given filter and return IDs of fitting elements
2614 # @param theFilter SMESH_Filter
2615 # @return a list of ids
2616 # @ingroup l1_controls
2617 def GetIdsFromFilter(self, theFilter):
2618 theFilter.SetMesh( self.mesh )
2619 return theFilter.GetIDs()
2621 ## Verifies whether a 2D mesh element has free edges (edges connected to one face only)\n
2622 # Returns a list of special structures (borders).
2623 # @return a list of SMESH.FreeEdges.Border structure: edge id and ids of two its nodes.
2624 # @ingroup l1_controls
2625 def GetFreeBorders(self):
2626 aFilterMgr = self.smeshpyD.CreateFilterManager()
2627 aPredicate = aFilterMgr.CreateFreeEdges()
2628 aPredicate.SetMesh(self.mesh)
2629 aBorders = aPredicate.GetBorders()
2630 aFilterMgr.UnRegister()
2634 # Get mesh measurements information:
2635 # ------------------------------------
2637 ## Get minimum distance between two nodes, elements or distance to the origin
2638 # @param id1 first node/element id
2639 # @param id2 second node/element id (if 0, distance from @a id1 to the origin is computed)
2640 # @param isElem1 @c True if @a id1 is element id, @c False if it is node id
2641 # @param isElem2 @c True if @a id2 is element id, @c False if it is node id
2642 # @return minimum distance value
2643 # @sa GetMinDistance()
2644 def MinDistance(self, id1, id2=0, isElem1=False, isElem2=False):
2645 aMeasure = self.GetMinDistance(id1, id2, isElem1, isElem2)
2646 return aMeasure.value
2648 ## Get measure structure specifying minimum distance data between two objects
2649 # @param id1 first node/element id
2650 # @param id2 second node/element id (if 0, distance from @a id1 to the origin is computed)
2651 # @param isElem1 @c True if @a id1 is element id, @c False if it is node id
2652 # @param isElem2 @c True if @a id2 is element id, @c False if it is node id
2653 # @return Measure structure
2655 def GetMinDistance(self, id1, id2=0, isElem1=False, isElem2=False):
2657 id1 = self.editor.MakeIDSource([id1], SMESH.FACE)
2659 id1 = self.editor.MakeIDSource([id1], SMESH.NODE)
2662 id2 = self.editor.MakeIDSource([id2], SMESH.FACE)
2664 id2 = self.editor.MakeIDSource([id2], SMESH.NODE)
2669 aMeasurements = self.smeshpyD.CreateMeasurements()
2670 aMeasure = aMeasurements.MinDistance(id1, id2)
2671 genObjUnRegister([aMeasurements,id1, id2])
2674 ## Get bounding box of the specified object(s)
2675 # @param objects single source object or list of source objects or list of nodes/elements IDs
2676 # @param isElem if @a objects is a list of IDs, @c True value in this parameters specifies that @a objects are elements,
2677 # @c False specifies that @a objects are nodes
2678 # @return tuple of six values (minX, minY, minZ, maxX, maxY, maxZ)
2679 # @sa GetBoundingBox()
2680 def BoundingBox(self, objects=None, isElem=False):
2681 result = self.GetBoundingBox(objects, isElem)
2685 result = (result.minX, result.minY, result.minZ, result.maxX, result.maxY, result.maxZ)
2688 ## Get measure structure specifying bounding box data of the specified object(s)
2689 # @param IDs single source object or list of source objects or list of nodes/elements IDs
2690 # @param isElem if @a IDs is a list of IDs, @c True value in this parameters specifies that @a objects are elements,
2691 # @c False specifies that @a objects are nodes
2692 # @return Measure structure
2694 def GetBoundingBox(self, IDs=None, isElem=False):
2697 elif isinstance(IDs, tuple):
2699 if not isinstance(IDs, list):
2701 if len(IDs) > 0 and isinstance(IDs[0], int):
2704 unRegister = genObjUnRegister()
2706 if isinstance(o, Mesh):
2707 srclist.append(o.mesh)
2708 elif hasattr(o, "_narrow"):
2709 src = o._narrow(SMESH.SMESH_IDSource)
2710 if src: srclist.append(src)
2712 elif isinstance(o, list):
2714 srclist.append(self.editor.MakeIDSource(o, SMESH.FACE))
2716 srclist.append(self.editor.MakeIDSource(o, SMESH.NODE))
2717 unRegister.set( srclist[-1] )
2720 aMeasurements = self.smeshpyD.CreateMeasurements()
2721 unRegister.set( aMeasurements )
2722 aMeasure = aMeasurements.BoundingBox(srclist)
2725 # Mesh edition (SMESH_MeshEditor functionality):
2726 # ---------------------------------------------
2728 ## Removes the elements from the mesh by ids
2729 # @param IDsOfElements is a list of ids of elements to remove
2730 # @return True or False
2731 # @ingroup l2_modif_del
2732 def RemoveElements(self, IDsOfElements):
2733 return self.editor.RemoveElements(IDsOfElements)
2735 ## Removes nodes from mesh by ids
2736 # @param IDsOfNodes is a list of ids of nodes to remove
2737 # @return True or False
2738 # @ingroup l2_modif_del
2739 def RemoveNodes(self, IDsOfNodes):
2740 return self.editor.RemoveNodes(IDsOfNodes)
2742 ## Removes all orphan (free) nodes from mesh
2743 # @return number of the removed nodes
2744 # @ingroup l2_modif_del
2745 def RemoveOrphanNodes(self):
2746 return self.editor.RemoveOrphanNodes()
2748 ## Add a node to the mesh by coordinates
2749 # @return Id of the new node
2750 # @ingroup l2_modif_add
2751 def AddNode(self, x, y, z):
2752 x,y,z,Parameters,hasVars = ParseParameters(x,y,z)
2753 if hasVars: self.mesh.SetParameters(Parameters)
2754 return self.editor.AddNode( x, y, z)
2756 ## Creates a 0D element on a node with given number.
2757 # @param IDOfNode the ID of node for creation of the element.
2758 # @return the Id of the new 0D element
2759 # @ingroup l2_modif_add
2760 def Add0DElement(self, IDOfNode):
2761 return self.editor.Add0DElement(IDOfNode)
2763 ## Create 0D elements on all nodes of the given elements except those
2764 # nodes on which a 0D element already exists.
2765 # @param theObject an object on whose nodes 0D elements will be created.
2766 # It can be mesh, sub-mesh, group, list of element IDs or a holder
2767 # of nodes IDs created by calling mesh.GetIDSource( nodes, SMESH.NODE )
2768 # @param theGroupName optional name of a group to add 0D elements created
2769 # and/or found on nodes of \a theObject.
2770 # @return an object (a new group or a temporary SMESH_IDSource) holding
2771 # IDs of new and/or found 0D elements. IDs of 0D elements
2772 # can be retrieved from the returned object by calling GetIDs()
2773 # @ingroup l2_modif_add
2774 def Add0DElementsToAllNodes(self, theObject, theGroupName=""):
2775 unRegister = genObjUnRegister()
2776 if isinstance( theObject, Mesh ):
2777 theObject = theObject.GetMesh()
2778 if isinstance( theObject, list ):
2779 theObject = self.GetIDSource( theObject, SMESH.ALL )
2780 unRegister.set( theObject )
2781 return self.editor.Create0DElementsOnAllNodes( theObject, theGroupName )
2783 ## Creates a ball element on a node with given ID.
2784 # @param IDOfNode the ID of node for creation of the element.
2785 # @param diameter the bal diameter.
2786 # @return the Id of the new ball element
2787 # @ingroup l2_modif_add
2788 def AddBall(self, IDOfNode, diameter):
2789 return self.editor.AddBall( IDOfNode, diameter )
2791 ## Creates a linear or quadratic edge (this is determined
2792 # by the number of given nodes).
2793 # @param IDsOfNodes the list of node IDs for creation of the element.
2794 # The order of nodes in this list should correspond to the description
2795 # of MED. \n This description is located by the following link:
2796 # http://www.code-aster.org/outils/med/html/modele_de_donnees.html#3.
2797 # @return the Id of the new edge
2798 # @ingroup l2_modif_add
2799 def AddEdge(self, IDsOfNodes):
2800 return self.editor.AddEdge(IDsOfNodes)
2802 ## Creates a linear or quadratic face (this is determined
2803 # by the number of given nodes).
2804 # @param IDsOfNodes the list of node IDs for creation of the element.
2805 # The order of nodes in this list should correspond to the description
2806 # of MED. \n This description is located by the following link:
2807 # http://www.code-aster.org/outils/med/html/modele_de_donnees.html#3.
2808 # @return the Id of the new face
2809 # @ingroup l2_modif_add
2810 def AddFace(self, IDsOfNodes):
2811 return self.editor.AddFace(IDsOfNodes)
2813 ## Adds a polygonal face to the mesh by the list of node IDs
2814 # @param IdsOfNodes the list of node IDs for creation of the element.
2815 # @return the Id of the new face
2816 # @ingroup l2_modif_add
2817 def AddPolygonalFace(self, IdsOfNodes):
2818 return self.editor.AddPolygonalFace(IdsOfNodes)
2820 ## Adds a quadratic polygonal face to the mesh by the list of node IDs
2821 # @param IdsOfNodes the list of node IDs for creation of the element;
2822 # corner nodes follow first.
2823 # @return the Id of the new face
2824 # @ingroup l2_modif_add
2825 def AddQuadPolygonalFace(self, IdsOfNodes):
2826 return self.editor.AddQuadPolygonalFace(IdsOfNodes)
2828 ## Creates both simple and quadratic volume (this is determined
2829 # by the number of given nodes).
2830 # @param IDsOfNodes the list of node IDs for creation of the element.
2831 # The order of nodes in this list should correspond to the description
2832 # of MED. \n This description is located by the following link:
2833 # http://www.code-aster.org/outils/med/html/modele_de_donnees.html#3.
2834 # @return the Id of the new volumic element
2835 # @ingroup l2_modif_add
2836 def AddVolume(self, IDsOfNodes):
2837 return self.editor.AddVolume(IDsOfNodes)
2839 ## Creates a volume of many faces, giving nodes for each face.
2840 # @param IdsOfNodes the list of node IDs for volume creation face by face.
2841 # @param Quantities the list of integer values, Quantities[i]
2842 # gives the quantity of nodes in face number i.
2843 # @return the Id of the new volumic element
2844 # @ingroup l2_modif_add
2845 def AddPolyhedralVolume (self, IdsOfNodes, Quantities):
2846 return self.editor.AddPolyhedralVolume(IdsOfNodes, Quantities)
2848 ## Creates a volume of many faces, giving the IDs of the existing faces.
2849 # @param IdsOfFaces the list of face IDs for volume creation.
2851 # Note: The created volume will refer only to the nodes
2852 # of the given faces, not to the faces themselves.
2853 # @return the Id of the new volumic element
2854 # @ingroup l2_modif_add
2855 def AddPolyhedralVolumeByFaces (self, IdsOfFaces):
2856 return self.editor.AddPolyhedralVolumeByFaces(IdsOfFaces)
2859 ## @brief Binds a node to a vertex
2860 # @param NodeID a node ID
2861 # @param Vertex a vertex or vertex ID
2862 # @return True if succeed else raises an exception
2863 # @ingroup l2_modif_add
2864 def SetNodeOnVertex(self, NodeID, Vertex):
2865 if ( isinstance( Vertex, geomBuilder.GEOM._objref_GEOM_Object)):
2866 VertexID = Vertex.GetSubShapeIndices()[0]
2870 self.editor.SetNodeOnVertex(NodeID, VertexID)
2871 except SALOME.SALOME_Exception, inst:
2872 raise ValueError, inst.details.text
2876 ## @brief Stores the node position on an edge
2877 # @param NodeID a node ID
2878 # @param Edge an edge or edge ID
2879 # @param paramOnEdge a parameter on the edge where the node is located
2880 # @return True if succeed else raises an exception
2881 # @ingroup l2_modif_add
2882 def SetNodeOnEdge(self, NodeID, Edge, paramOnEdge):
2883 if ( isinstance( Edge, geomBuilder.GEOM._objref_GEOM_Object)):
2884 EdgeID = Edge.GetSubShapeIndices()[0]
2888 self.editor.SetNodeOnEdge(NodeID, EdgeID, paramOnEdge)
2889 except SALOME.SALOME_Exception, inst:
2890 raise ValueError, inst.details.text
2893 ## @brief Stores node position on a face
2894 # @param NodeID a node ID
2895 # @param Face a face or face ID
2896 # @param u U parameter on the face where the node is located
2897 # @param v V parameter on the face where the node is located
2898 # @return True if succeed else raises an exception
2899 # @ingroup l2_modif_add
2900 def SetNodeOnFace(self, NodeID, Face, u, v):
2901 if ( isinstance( Face, geomBuilder.GEOM._objref_GEOM_Object)):
2902 FaceID = Face.GetSubShapeIndices()[0]
2906 self.editor.SetNodeOnFace(NodeID, FaceID, u, v)
2907 except SALOME.SALOME_Exception, inst:
2908 raise ValueError, inst.details.text
2911 ## @brief Binds a node to a solid
2912 # @param NodeID a node ID
2913 # @param Solid a solid or solid ID
2914 # @return True if succeed else raises an exception
2915 # @ingroup l2_modif_add
2916 def SetNodeInVolume(self, NodeID, Solid):
2917 if ( isinstance( Solid, geomBuilder.GEOM._objref_GEOM_Object)):
2918 SolidID = Solid.GetSubShapeIndices()[0]
2922 self.editor.SetNodeInVolume(NodeID, SolidID)
2923 except SALOME.SALOME_Exception, inst:
2924 raise ValueError, inst.details.text
2927 ## @brief Bind an element to a shape
2928 # @param ElementID an element ID
2929 # @param Shape a shape or shape ID
2930 # @return True if succeed else raises an exception
2931 # @ingroup l2_modif_add
2932 def SetMeshElementOnShape(self, ElementID, Shape):
2933 if ( isinstance( Shape, geomBuilder.GEOM._objref_GEOM_Object)):
2934 ShapeID = Shape.GetSubShapeIndices()[0]
2938 self.editor.SetMeshElementOnShape(ElementID, ShapeID)
2939 except SALOME.SALOME_Exception, inst:
2940 raise ValueError, inst.details.text
2944 ## Moves the node with the given id
2945 # @param NodeID the id of the node
2946 # @param x a new X coordinate
2947 # @param y a new Y coordinate
2948 # @param z a new Z coordinate
2949 # @return True if succeed else False
2950 # @ingroup l2_modif_movenode
2951 def MoveNode(self, NodeID, x, y, z):
2952 x,y,z,Parameters,hasVars = ParseParameters(x,y,z)
2953 if hasVars: self.mesh.SetParameters(Parameters)
2954 return self.editor.MoveNode(NodeID, x, y, z)
2956 ## Finds the node closest to a point and moves it to a point location
2957 # @param x the X coordinate of a point
2958 # @param y the Y coordinate of a point
2959 # @param z the Z coordinate of a point
2960 # @param NodeID if specified (>0), the node with this ID is moved,
2961 # otherwise, the node closest to point (@a x,@a y,@a z) is moved
2962 # @return the ID of a node
2963 # @ingroup l2_modif_throughp
2964 def MoveClosestNodeToPoint(self, x, y, z, NodeID):
2965 x,y,z,Parameters,hasVars = ParseParameters(x,y,z)
2966 if hasVars: self.mesh.SetParameters(Parameters)
2967 return self.editor.MoveClosestNodeToPoint(x, y, z, NodeID)
2969 ## Finds the node closest to a point
2970 # @param x the X coordinate of a point
2971 # @param y the Y coordinate of a point
2972 # @param z the Z coordinate of a point
2973 # @return the ID of a node
2974 # @ingroup l2_modif_throughp
2975 def FindNodeClosestTo(self, x, y, z):
2976 #preview = self.mesh.GetMeshEditPreviewer()
2977 #return preview.MoveClosestNodeToPoint(x, y, z, -1)
2978 return self.editor.FindNodeClosestTo(x, y, z)
2980 ## Finds the elements where a point lays IN or ON
2981 # @param x the X coordinate of a point
2982 # @param y the Y coordinate of a point
2983 # @param z the Z coordinate of a point
2984 # @param elementType type of elements to find; either of
2985 # (SMESH.NODE, SMESH.EDGE, SMESH.FACE, SMESH.VOLUME); SMESH.ALL type
2986 # means elements of any type excluding nodes, discrete and 0D elements.
2987 # @param meshPart a part of mesh (group, sub-mesh) to search within
2988 # @return list of IDs of found elements
2989 # @ingroup l2_modif_throughp
2990 def FindElementsByPoint(self, x, y, z, elementType = SMESH.ALL, meshPart=None):
2992 return self.editor.FindAmongElementsByPoint( meshPart, x, y, z, elementType );
2994 return self.editor.FindElementsByPoint(x, y, z, elementType)
2996 ## Return point state in a closed 2D mesh in terms of TopAbs_State enumeration:
2997 # 0-IN, 1-OUT, 2-ON, 3-UNKNOWN
2998 # UNKNOWN state means that either mesh is wrong or the analysis fails.
2999 def GetPointState(self, x, y, z):
3000 return self.editor.GetPointState(x, y, z)
3002 ## Finds the node closest to a point and moves it to a point location
3003 # @param x the X coordinate of a point
3004 # @param y the Y coordinate of a point
3005 # @param z the Z coordinate of a point
3006 # @return the ID of a moved node
3007 # @ingroup l2_modif_throughp
3008 def MeshToPassThroughAPoint(self, x, y, z):
3009 return self.editor.MoveClosestNodeToPoint(x, y, z, -1)
3011 ## Replaces two neighbour triangles sharing Node1-Node2 link
3012 # with the triangles built on the same 4 nodes but having other common link.
3013 # @param NodeID1 the ID of the first node
3014 # @param NodeID2 the ID of the second node
3015 # @return false if proper faces were not found
3016 # @ingroup l2_modif_invdiag
3017 def InverseDiag(self, NodeID1, NodeID2):
3018 return self.editor.InverseDiag(NodeID1, NodeID2)
3020 ## Replaces two neighbour triangles sharing Node1-Node2 link
3021 # with a quadrangle built on the same 4 nodes.
3022 # @param NodeID1 the ID of the first node
3023 # @param NodeID2 the ID of the second node
3024 # @return false if proper faces were not found
3025 # @ingroup l2_modif_unitetri
3026 def DeleteDiag(self, NodeID1, NodeID2):
3027 return self.editor.DeleteDiag(NodeID1, NodeID2)
3029 ## Reorients elements by ids
3030 # @param IDsOfElements if undefined reorients all mesh elements
3031 # @return True if succeed else False
3032 # @ingroup l2_modif_changori
3033 def Reorient(self, IDsOfElements=None):
3034 if IDsOfElements == None:
3035 IDsOfElements = self.GetElementsId()
3036 return self.editor.Reorient(IDsOfElements)
3038 ## Reorients all elements of the object
3039 # @param theObject mesh, submesh or group
3040 # @return True if succeed else False
3041 # @ingroup l2_modif_changori
3042 def ReorientObject(self, theObject):
3043 if ( isinstance( theObject, Mesh )):
3044 theObject = theObject.GetMesh()
3045 return self.editor.ReorientObject(theObject)
3047 ## Reorient faces contained in \a the2DObject.
3048 # @param the2DObject is a mesh, sub-mesh, group or list of IDs of 2D elements
3049 # @param theDirection is a desired direction of normal of \a theFace.
3050 # It can be either a GEOM vector or a list of coordinates [x,y,z].
3051 # @param theFaceOrPoint defines a face of \a the2DObject whose normal will be
3052 # compared with theDirection. It can be either ID of face or a point
3053 # by which the face will be found. The point can be given as either
3054 # a GEOM vertex or a list of point coordinates.
3055 # @return number of reoriented faces
3056 # @ingroup l2_modif_changori
3057 def Reorient2D(self, the2DObject, theDirection, theFaceOrPoint ):
3058 unRegister = genObjUnRegister()
3060 if isinstance( the2DObject, Mesh ):
3061 the2DObject = the2DObject.GetMesh()
3062 if isinstance( the2DObject, list ):
3063 the2DObject = self.GetIDSource( the2DObject, SMESH.FACE )
3064 unRegister.set( the2DObject )
3065 # check theDirection
3066 if isinstance( theDirection, geomBuilder.GEOM._objref_GEOM_Object):
3067 theDirection = self.smeshpyD.GetDirStruct( theDirection )
3068 if isinstance( theDirection, list ):
3069 theDirection = self.smeshpyD.MakeDirStruct( *theDirection )
3070 # prepare theFace and thePoint
3071 theFace = theFaceOrPoint
3072 thePoint = PointStruct(0,0,0)
3073 if isinstance( theFaceOrPoint, geomBuilder.GEOM._objref_GEOM_Object):
3074 thePoint = self.smeshpyD.GetPointStruct( theFaceOrPoint )
3076 if isinstance( theFaceOrPoint, list ):
3077 thePoint = PointStruct( *theFaceOrPoint )
3079 if isinstance( theFaceOrPoint, PointStruct ):
3080 thePoint = theFaceOrPoint
3082 return self.editor.Reorient2D( the2DObject, theDirection, theFace, thePoint )
3084 ## Reorient faces according to adjacent volumes.
3085 # @param the2DObject is a mesh, sub-mesh, group or list of
3086 # either IDs of faces or face groups.
3087 # @param the3DObject is a mesh, sub-mesh, group or list of IDs of volumes.
3088 # @param theOutsideNormal to orient faces to have their normals
3089 # pointing either \a outside or \a inside the adjacent volumes.
3090 # @return number of reoriented faces.
3091 # @ingroup l2_modif_changori
3092 def Reorient2DBy3D(self, the2DObject, the3DObject, theOutsideNormal=True ):
3093 unRegister = genObjUnRegister()
3095 if not isinstance( the2DObject, list ):
3096 the2DObject = [ the2DObject ]
3097 elif the2DObject and isinstance( the2DObject[0], int ):
3098 the2DObject = self.GetIDSource( the2DObject, SMESH.FACE )
3099 unRegister.set( the2DObject )
3100 the2DObject = [ the2DObject ]
3101 for i,obj2D in enumerate( the2DObject ):
3102 if isinstance( obj2D, Mesh ):
3103 the2DObject[i] = obj2D.GetMesh()
3104 if isinstance( obj2D, list ):
3105 the2DObject[i] = self.GetIDSource( obj2D, SMESH.FACE )
3106 unRegister.set( the2DObject[i] )
3108 if isinstance( the3DObject, Mesh ):
3109 the3DObject = the3DObject.GetMesh()
3110 if isinstance( the3DObject, list ):
3111 the3DObject = self.GetIDSource( the3DObject, SMESH.VOLUME )
3112 unRegister.set( the3DObject )
3113 return self.editor.Reorient2DBy3D( the2DObject, the3DObject, theOutsideNormal )
3115 ## Fuses the neighbouring triangles into quadrangles.
3116 # @param IDsOfElements The triangles to be fused.
3117 # @param theCriterion a numerical functor, in terms of enum SMESH.FunctorType, used to
3118 # choose a neighbour to fuse with.
3119 # Type SMESH.FunctorType._items in the Python Console to see all items.
3120 # Note that not all items corresponds to numerical functors.
3121 # @param MaxAngle is the maximum angle between element normals at which the fusion
3122 # is still performed; theMaxAngle is mesured in radians.
3123 # Also it could be a name of variable which defines angle in degrees.
3124 # @return TRUE in case of success, FALSE otherwise.
3125 # @ingroup l2_modif_unitetri
3126 def TriToQuad(self, IDsOfElements, theCriterion, MaxAngle):
3127 MaxAngle,Parameters,hasVars = ParseAngles(MaxAngle)
3128 self.mesh.SetParameters(Parameters)
3129 if not IDsOfElements:
3130 IDsOfElements = self.GetElementsId()
3131 Functor = self.smeshpyD.GetFunctor(theCriterion)
3132 return self.editor.TriToQuad(IDsOfElements, Functor, MaxAngle)
3134 ## Fuses the neighbouring triangles of the object into quadrangles
3135 # @param theObject is mesh, submesh or group
3136 # @param theCriterion is a numerical functor, in terms of enum SMESH.FunctorType, used to
3137 # choose a neighbour to fuse with.
3138 # Type SMESH.FunctorType._items in the Python Console to see all items.
3139 # Note that not all items corresponds to numerical functors.
3140 # @param MaxAngle a max angle between element normals at which the fusion
3141 # is still performed; theMaxAngle is mesured in radians.
3142 # @return TRUE in case of success, FALSE otherwise.
3143 # @ingroup l2_modif_unitetri
3144 def TriToQuadObject (self, theObject, theCriterion, MaxAngle):
3145 MaxAngle,Parameters,hasVars = ParseAngles(MaxAngle)
3146 self.mesh.SetParameters(Parameters)
3147 if isinstance( theObject, Mesh ):
3148 theObject = theObject.GetMesh()
3149 Functor = self.smeshpyD.GetFunctor(theCriterion)
3150 return self.editor.TriToQuadObject(theObject, Functor, MaxAngle)
3152 ## Splits quadrangles into triangles.
3153 # @param IDsOfElements the faces to be splitted.
3154 # @param theCriterion is a numerical functor, in terms of enum SMESH.FunctorType, used to
3155 # choose a diagonal for splitting. If @a theCriterion is None, which is a default
3156 # value, then quadrangles will be split by the smallest diagonal.
3157 # Type SMESH.FunctorType._items in the Python Console to see all items.
3158 # Note that not all items corresponds to numerical functors.
3159 # @return TRUE in case of success, FALSE otherwise.
3160 # @ingroup l2_modif_cutquadr
3161 def QuadToTri (self, IDsOfElements, theCriterion = None):
3162 if IDsOfElements == []:
3163 IDsOfElements = self.GetElementsId()
3164 if theCriterion is None:
3165 theCriterion = FT_MaxElementLength2D
3166 Functor = self.smeshpyD.GetFunctor(theCriterion)
3167 return self.editor.QuadToTri(IDsOfElements, Functor)
3169 ## Splits quadrangles into triangles.
3170 # @param theObject the object from which the list of elements is taken,
3171 # this is mesh, submesh or group
3172 # @param theCriterion is a numerical functor, in terms of enum SMESH.FunctorType, used to
3173 # choose a diagonal for splitting. If @a theCriterion is None, which is a default
3174 # value, then quadrangles will be split by the smallest diagonal.
3175 # Type SMESH.FunctorType._items in the Python Console to see all items.
3176 # Note that not all items corresponds to numerical functors.
3177 # @return TRUE in case of success, FALSE otherwise.
3178 # @ingroup l2_modif_cutquadr
3179 def QuadToTriObject (self, theObject, theCriterion = None):
3180 if ( isinstance( theObject, Mesh )):
3181 theObject = theObject.GetMesh()
3182 if theCriterion is None:
3183 theCriterion = FT_MaxElementLength2D
3184 Functor = self.smeshpyD.GetFunctor(theCriterion)
3185 return self.editor.QuadToTriObject(theObject, Functor)
3187 ## Splits each of given quadrangles into 4 triangles. A node is added at the center of
3189 # @param theElements the faces to be splitted. This can be either mesh, sub-mesh,
3190 # group or a list of face IDs. By default all quadrangles are split
3191 # @ingroup l2_modif_cutquadr
3192 def QuadTo4Tri (self, theElements=[]):
3193 unRegister = genObjUnRegister()
3194 if isinstance( theElements, Mesh ):
3195 theElements = theElements.mesh
3196 elif not theElements:
3197 theElements = self.mesh
3198 elif isinstance( theElements, list ):
3199 theElements = self.GetIDSource( theElements, SMESH.FACE )
3200 unRegister.set( theElements )
3201 return self.editor.QuadTo4Tri( theElements )
3203 ## Splits quadrangles into triangles.
3204 # @param IDsOfElements the faces to be splitted
3205 # @param Diag13 is used to choose a diagonal for splitting.
3206 # @return TRUE in case of success, FALSE otherwise.
3207 # @ingroup l2_modif_cutquadr
3208 def SplitQuad (self, IDsOfElements, Diag13):
3209 if IDsOfElements == []:
3210 IDsOfElements = self.GetElementsId()
3211 return self.editor.SplitQuad(IDsOfElements, Diag13)
3213 ## Splits quadrangles into triangles.
3214 # @param theObject the object from which the list of elements is taken,
3215 # this is mesh, submesh or group
3216 # @param Diag13 is used to choose a diagonal for splitting.
3217 # @return TRUE in case of success, FALSE otherwise.
3218 # @ingroup l2_modif_cutquadr
3219 def SplitQuadObject (self, theObject, Diag13):
3220 if ( isinstance( theObject, Mesh )):
3221 theObject = theObject.GetMesh()
3222 return self.editor.SplitQuadObject(theObject, Diag13)
3224 ## Finds a better splitting of the given quadrangle.
3225 # @param IDOfQuad the ID of the quadrangle to be splitted.
3226 # @param theCriterion is a numerical functor, in terms of enum SMESH.FunctorType, used to
3227 # choose a diagonal for splitting.
3228 # Type SMESH.FunctorType._items in the Python Console to see all items.
3229 # Note that not all items corresponds to numerical functors.
3230 # @return 1 if 1-3 diagonal is better, 2 if 2-4
3231 # diagonal is better, 0 if error occurs.
3232 # @ingroup l2_modif_cutquadr
3233 def BestSplit (self, IDOfQuad, theCriterion):
3234 return self.editor.BestSplit(IDOfQuad, self.smeshpyD.GetFunctor(theCriterion))
3236 ## Splits volumic elements into tetrahedrons
3237 # @param elems either a list of elements or a mesh or a group or a submesh or a filter
3238 # @param method flags passing splitting method:
3239 # smesh.Hex_5Tet, smesh.Hex_6Tet, smesh.Hex_24Tet.
3240 # smesh.Hex_5Tet - to split the hexahedron into 5 tetrahedrons, etc.
3241 # @ingroup l2_modif_cutquadr
3242 def SplitVolumesIntoTetra(self, elems, method=smeshBuilder.Hex_5Tet ):
3243 unRegister = genObjUnRegister()
3244 if isinstance( elems, Mesh ):
3245 elems = elems.GetMesh()
3246 if ( isinstance( elems, list )):
3247 elems = self.editor.MakeIDSource(elems, SMESH.VOLUME)
3248 unRegister.set( elems )
3249 self.editor.SplitVolumesIntoTetra(elems, method)
3252 ## Split bi-quadratic elements into linear ones without creation of additional nodes:
3253 # - bi-quadratic triangle will be split into 3 linear quadrangles;
3254 # - bi-quadratic quadrangle will be split into 4 linear quadrangles;
3255 # - tri-quadratic hexahedron will be split into 8 linear hexahedra.
3256 # Quadratic elements of lower dimension adjacent to the split bi-quadratic element
3257 # will be split in order to keep the mesh conformal.
3258 # @param elems - elements to split: sub-meshes, groups, filters or element IDs;
3259 # if None (default), all bi-quadratic elements will be split
3260 # @ingroup l2_modif_cutquadr
3261 def SplitBiQuadraticIntoLinear(self, elems=None):
3262 unRegister = genObjUnRegister()
3263 if elems and isinstance( elems, list ) and isinstance( elems[0], int ):
3264 elems = self.editor.MakeIDSource(elems, SMESH.ALL)
3265 unRegister.set( elems )
3267 elems = [ self.GetMesh() ]
3268 if isinstance( elems, Mesh ):
3269 elems = [ elems.GetMesh() ]
3270 if not isinstance( elems, list ):
3272 self.editor.SplitBiQuadraticIntoLinear( elems )
3274 ## Splits hexahedra into prisms
3275 # @param elems either a list of elements or a mesh or a group or a submesh or a filter
3276 # @param startHexPoint a point used to find a hexahedron for which @a facetNormal
3277 # gives a normal vector defining facets to split into triangles.
3278 # @a startHexPoint can be either a triple of coordinates or a vertex.
3279 # @param facetNormal a normal to a facet to split into triangles of a
3280 # hexahedron found by @a startHexPoint.
3281 # @a facetNormal can be either a triple of coordinates or an edge.
3282 # @param method flags passing splitting method: smesh.Hex_2Prisms, smesh.Hex_4Prisms.
3283 # smesh.Hex_2Prisms - to split the hexahedron into 2 prisms, etc.
3284 # @param allDomains if @c False, only hexahedra adjacent to one