Topological data scripting
Introduction
Here we will explain to you how to control thePart module directly from the FreeCAD Python interpreter, or from any external script. Be sure to browse theScripting section and theFreeCAD Scripting Basics pages if you need more information about how Python scripting works in FreeCAD. If you are new to Python, it is a good idea to first read theIntroduction to Python.
See also
Class diagram
This is aUnified Modeling Language (UML) overview of the most important classes of the Part module:
Geometry
The geometric objects are the building blocks of all topological objects:
- Geom Base class of the geometric objects.
- Line A straight line in 3D, defined by starting point and end point.
- Circle Circle or circle segment defined by a center point and start and end point.
- Etc.
Topology
The following topological data types are available:
- Compound A group of any type of topological objects.
- Compsolid A composite solid is a set of solids connected by their faces. It expands the notions of WIRE and SHELL to solids.
- Solid A part of space limited by shells. It is three dimensional.
- Shell A set of faces connected by their edges. A shell can be open or closed.
- Face In 2D it is part of a plane; in 3D it is part of a surface. Its geometry is constrained (trimmed) by contours. It is two dimensional.
- Wire A set of edges connected by their vertices. It can be an open or closed contour depending on whether the edges are linked or not.
- Edge A topological element corresponding to a restrained curve. An edge is generally limited by vertices. It has one dimension.
- Vertex A topological element corresponding to a point. It has zero dimension.
- Shape A generic term covering all of the above.
Example: Create simple topology
We will now create a topology by constructing it out of simpler geometry. As a case study we will use a part as seen in the picture which consists of four vertices, two arcs and two lines.
Create geometry
First we create the distinct geometric parts of this wire. Making sure that parts that have to be connected later share the same vertices.
So we create the points first:
importFreeCADasAppimportPartV1=App.Vector(0,10,0)V2=App.Vector(30,10,0)V3=App.Vector(30,-10,0)V4=App.Vector(0,-10,0)
Arc
For each arc we need a helper point:
VC1=App.Vector(-10,0,0)C1=Part.Arc(V1,VC1,V4)VC2=App.Vector(40,0,0)C2=Part.Arc(V2,VC2,V3)
Line
The line segments can be created from two points:
L1=Part.LineSegment(V1,V2)L2=Part.LineSegment(V3,V4)
Put it all together
The last step is to put the geometric base elements together and bake a topological shape:
S1=Part.Shape([C1,L1,C2,L2])
Make a prism
Now extrude the wire in a direction and make an actual 3D shape:
W=Part.Wire(S1.Edges)P=W.extrude(App.Vector(0,0,10))
Show it all
Part.show(P)
Create basic shapes
You can easily create basic topological objects with themake...() methods from the Part module:
b=Part.makeBox(100,100,100)Part.show(b)
Some availablemake...() methods:
makeBox(l, w, h, [p, d])Makes a box located in p and pointing into the direction d with the dimensions (l,w,h).makeCircle(radius)Makes a circle with a given radius.makeCone(radius1, radius2, height)Makes a cone with the given radii and height.makeCylinder(radius, height)Makes a cylinder with a given radius and height.makeLine((x1, y1, z1), (x2, y2, z2))Makes a line from two points.makePlane(length, width)Makes a plane with length and width.makePolygon(list)Makes a polygon from a list of points.makeSphere(radius)Makes a sphere with a given radius.makeTorus(radius1, radius2)Makes a torus with the given radii.
See thePart API page for a complete list of available methods of the Part module.
Import modules
First we need to import the FreeCAD and Part modules so we can use their contents in Python:
importFreeCADasAppimportPart
Create a vector
Vectors are one of the most important pieces of information when building shapes. They usually contain three numbers (but not necessarily always): the X, Y and Z cartesian coordinates. You create a vector like this:
myVector=App.Vector(3,2,0)
We just created a vector at coordinates X = 3, Y = 2, Z = 0. In the Part module, vectors are used everywhere. Part shapes also use another kind of point representation called Vertex which is simply a container for a vector. You access the vector of a vertex like this:
myVertex=myShape.Vertexes[0]print(myVertex.Point)>Vector(3,2,0)
Create an edge
An edge is nothing but a line with two vertices:
edge=Part.makeLine((0,0,0),(10,0,0))edge.Vertexes>[<Vertexobjectat01877430>,<Vertexobjectat014888E0>]
Note: You can also create an edge by passing two vectors:
vec1=App.Vector(0,0,0)vec2=App.Vector(10,0,0)line=Part.LineSegment(vec1,vec2)edge=line.toShape()
You can find the length and center of an edge like this:
edge.Length>10.0edge.CenterOfMass>Vector(5,0,0)
Put the shape on screen
So far we created an edge object, but it doesn't appear anywhere on the screen. This is because the FreeCAD 3D scene only displays what you tell it to display. To do that, we use this simple method:
Part.show(edge)
The show function creates an object in our FreeCAD document and assigns our "edge" shape to it. Use this whenever it is time to display your creation on screen.
Create a wire
A wire is a multi-edge line and can be created from a list of edges or even a list of wires:
edge1=Part.makeLine((0,0,0),(10,0,0))edge2=Part.makeLine((10,0,0),(10,10,0))wire1=Part.Wire([edge1,edge2])edge3=Part.makeLine((10,10,0),(0,10,0))edge4=Part.makeLine((0,10,0),(0,0,0))wire2=Part.Wire([edge3,edge4])wire3=Part.Wire([wire1,wire2])wire3.Edges>[<Edgeobjectat016695F8>,<Edgeobjectat0197AED8>,<Edgeobjectat01828B20>,<Edgeobjectat0190A788>]Part.show(wire3)
Part.show(wire3) will display the 4 edges that compose our wire. Other useful information can be easily retrieved:
wire3.Length>40.0wire3.CenterOfMass>Vector(5,5,0)wire3.isClosed()>Truewire2.isClosed()>False
Create a face
Only faces created from closed wires will be valid. In this example, wire3 is a closed wire but wire2 is not (see above):
face=Part.Face(wire3)face.Area>99.99999999999999face.CenterOfMass>Vector(5,5,0)face.Length>40.0face.isValid()>Truesface=Part.Face(wire2)sface.isValid()>False
Only faces will have an area, wires and edges do not.
Create a circle
A circle can be created like this:
circle=Part.makeCircle(10)circle.Curve>Circle(Radius:10,Position:(0,0,0),Direction:(0,0,1))
If you want to create it at a certain position and with a certain direction:
ccircle=Part.makeCircle(10,App.Vector(10,0,0),App.Vector(1,0,0))ccircle.Curve>Circle(Radius:10,Position:(10,0,0),Direction:(1,0,0))
ccircle will be created at distance 10 from the X origin and will be facing outwards along the X axis. Note:makeCircle() only acceptsApp.Vector() for the position and normal parameters, not tuples. You can also create part of the circle by giving a start and an end angle:
frommathimportpiarc1=Part.makeCircle(10,App.Vector(0,0,0),App.Vector(0,0,1),0,180)arc2=Part.makeCircle(10,App.Vector(0,0,0),App.Vector(0,0,1),180,360)
Angles should be provided in degrees. If you have radians simply convert them using the formula:degrees = radians * 180/pi or by using Python'smath module:
importmathdegrees=math.degrees(radians)
Create an arc along points
Unfortunately there is nomakeArc() function, but we have thePart.Arc() function to create an arc through three points. It creates an arc object joining the start point to the end point through the middle point. The arc object'stoShape() function must be called to get an edge object, the same as when usingPart.LineSegment instead ofPart.makeLine.
arc=Part.Arc(App.Vector(0,0,0),App.Vector(0,5,0),App.Vector(5,5,0))arc><Arcobject>arc_edge=arc.toShape()Part.show(arc_edge)
Arc() only acceptsApp.Vector() for points and not tuples. You can also obtain an arc by using a portion of a circle:
frommathimportpicircle=Part.Circle(App.Vector(0,0,0),App.Vector(0,0,1),10)arc=Part.Arc(circle,0,pi)
Arcs are valid edges like lines, so they can be used in wires also.
Create a polygon
A polygon is simply a wire with multiple straight edges. ThemakePolygon() function takes a list of points and creates a wire through those points:
lshape_wire=Part.makePolygon([App.Vector(0,5,0),App.Vector(0,0,0),App.Vector(5,0,0)])
Create a Bézier curve
Bézier curves are used to model smooth curves using a series of poles (points) and optional weights. The function below makes aPart.BezierCurve() from a series ofFreeCAD.Vector() points. Note: when "getting" and "setting" a single pole or weight, indices start at 1, not 0.
defmakeBCurveEdge(Points):geomCurve=Part.BezierCurve()geomCurve.setPoles(Points)edge=Part.Edge(geomCurve)return(edge)
Create a plane
A Plane is a flat rectangular surface. The method used to create one ismakePlane(length, width, [start_pnt, dir_normal]). By default start_pnt = Vector(0, 0, 0) and dir_normal = Vector(0, 0, 1). Using dir_normal = Vector(0, 0, 1) will create the plane facing in the positive Z axis direction, while dir_normal = Vector(1, 0, 0) will create the plane facing in the positive X axis direction:
plane=Part.makePlane(2,2)plane><Faceobjectat028AF990>plane=Part.makePlane(2,2,App.Vector(3,0,0),App.Vector(0,1,0))plane.BoundBox>BoundBox(3,0,0,5,0,2)
BoundBox is a cuboid enclosing the plane with a diagonal starting at (3, 0, 0) and ending at (5, 0, 2). Here theBoundBox thickness along the Y axis is zero, since our shape is totally flat.
Note:makePlane() only acceptsApp.Vector() for start_pnt and dir_normal and not tuples.
Create an ellipse
There are several ways to create an ellipse:
Part.Ellipse()
Creates an ellipse with major radius 2 and minor radius 1 with the center at (0, 0, 0).
Part.Ellipse(Ellipse)
Creates a copy of the given ellipse.
Part.Ellipse(S1,S2,Center)
Creates an ellipse centered on the point Center, where the plane of the ellipse is defined by Center, S1 and S2, its major axis is defined by Center and S1, its major radius is the distance between Center and S1, and its minor radius is the distance between S2 and the major axis.
Part.Ellipse(Center,MajorRadius,MinorRadius)
Creates an ellipse with major and minor radii MajorRadius and MinorRadius, located in the plane defined by Center and the normal (0, 0, 1)
eli=Part.Ellipse(App.Vector(10,0,0),App.Vector(0,5,0),App.Vector(0,0,0))Part.show(eli.toShape())
In the above code we have passed S1, S2 and center. Similar toArc,Ellipse creates an ellipse object not an edge, so we need to convert it into an edge usingtoShape() for display.
Note:Ellipse() only acceptsApp.Vector() for points and not tuples.
eli=Part.Ellipse(App.Vector(0,0,0),10,5)Part.show(eli.toShape())
For the above Ellipse constructor we have passed center, MajorRadius and MinorRadius.
Create a torus
UsingmakeTorus(radius1, radius2, [pnt, dir, angle1, angle2, angle]). By default pnt = Vector(0, 0, 0), dir = Vector(0, 0, 1), angle1 = 0, angle2 = 360 and angle = 360. Consider a torus as small circle sweeping along a big circle. Radius1 is the radius of the big circle, radius2 is the radius of the small circle, pnt is the center of the torus and dir is the normal direction. angle1 and angle2 are angles in degrees for the small circle; the last angle parameter is to make a section of the torus:
torus=Part.makeTorus(10,2)
The above code will create a torus with diameter 20 (radius 10) and thickness 4 (small circle radius 2)
tor=Part.makeTorus(10,5,App.Vector(0,0,0),App.Vector(0,0,1),0,180)
The above code will create a slice of the torus.
tor=Part.makeTorus(10,5,App.Vector(0,0,0),App.Vector(0,0,1),0,360,180)
The above code will create a semi torus; only the last parameter is changed. i.e the remaining angles are defaults. Giving the angle 180 will create the torus from 0 to 180, that is, a half torus.
Create a box or cuboid
UsingmakeBox(length, width, height, [pnt, dir]). By default pnt = Vector(0, 0, 0) and dir = Vector(0, 0, 1).
box=Part.makeBox(10,10,10)len(box.Vertexes)>8
Create a sphere
UsingmakeSphere(radius, [pnt, dir, angle1, angle2, angle3]). By default pnt = Vector(0, 0, 0), dir = Vector(0, 0, 1), angle1 = -90, angle2 = 90 and angle3 = 360. Angle1 and angle2 are the vertical minimum and maximum of the sphere, angle3 is the sphere diameter.
sphere=Part.makeSphere(10)hemisphere=Part.makeSphere(10,App.Vector(0,0,0),App.Vector(0,0,1),-90,90,180)
Create a cylinder
UsingmakeCylinder(radius, height, [pnt, dir, angle]). By default pnt = Vector(0, 0, 0), dir = Vector(0, 0, 1) and angle = 360.
cylinder=Part.makeCylinder(5,20)partCylinder=Part.makeCylinder(5,20,App.Vector(20,0,0),App.Vector(0,0,1),180)
Create a cone
UsingmakeCone(radius1, radius2, height, [pnt, dir, angle]). By default pnt = Vector(0, 0, 0), dir = Vector(0, 0, 1) and angle = 360.
cone=Part.makeCone(10,0,20)semicone=Part.makeCone(10,0,20,App.Vector(20,0,0),App.Vector(0,0,1),180)
Modify shapes
There are several ways to modify shapes. Some are simple transformation operations such as moving or rotating shapes, others are more complex, such as unioning and subtracting one shape from another.
Transform operations
Translate a shape
Translating is the act of moving a shape from one place to another. Any shape (edge, face, cube, etc...) can be translated the same way:
myShape=Part.makeBox(2,2,2)myShape.translate(App.Vector(2,0,0))
This will move our shape "myShape" 2 units in the X direction.
Rotate a shape
To rotate a shape, you need to specify the rotation center, the axis, and the rotation angle:
myShape.rotate(App.Vector(0,0,0),App.Vector(0,0,1),180)
The above code will rotate the shape 180 degrees around the Z Axis.
Matrix transformations
A matrix is a very convenient way to store transformations in the 3D world. In a single matrix, you can set translation, rotation and scaling values to be applied to an object. For example:
myMat=App.Matrix()myMat.move(App.Vector(2,0,0))myMat.rotateZ(math.pi/2)
Note: FreeCAD matrixes work in radians. Also, almost all matrix operations that take a vector can also take three numbers, so these two lines do the same thing:
myMat.move(2,0,0)myMat.move(App.Vector(2,0,0))
Once our matrix is set, we can apply it to our shape. FreeCAD provides two methods for doing that:transformShape() andtransformGeometry(). The difference is that with the first one, you are sure that no deformations will occur (seeScaling a shape below). We can apply our transformation like this:
myShape.transformShape(myMat)
or
myShape.transformGeometry(myMat)
Scale a shape
Scaling a shape is a more dangerous operation because, unlike translation or rotation, scaling non-uniformly (with different values for X, Y and Z) can modify the structure of the shape. For example, scaling a circle with a higher value horizontally than vertically will transform it into an ellipse, which behaves mathematically very differently. For scaling, we cannot use thetransformShape(), we must usetransformGeometry():
myMat=App.Matrix()myMat.scale(2,1,1)myShape=myShape.transformGeometry(myMat)
Boolean operations
Subtraction
Subtracting a shape from another one is called "cut" in FreeCAD and is done like this:
cylinder=Part.makeCylinder(3,10,App.Vector(0,0,0),App.Vector(1,0,0))sphere=Part.makeSphere(5,App.Vector(5,0,0))diff=cylinder.cut(sphere)
Intersection
The same way, the intersection between two shapes is called "common" and is done this way:
cylinder1=Part.makeCylinder(3,10,App.Vector(0,0,0),App.Vector(1,0,0))cylinder2=Part.makeCylinder(3,10,App.Vector(5,0,-5),App.Vector(0,0,1))common=cylinder1.common(cylinder2)
Union
Union is called "fuse" and works the same way:
cylinder1=Part.makeCylinder(3,10,App.Vector(0,0,0),App.Vector(1,0,0))cylinder2=Part.makeCylinder(3,10,App.Vector(5,0,-5),App.Vector(0,0,1))fuse=cylinder1.fuse(cylinder2)
Section
A "section" is the intersection between a solid shape and a plane shape. It will return an intersection curve, a compound curve composed of edges.
cylinder1=Part.makeCylinder(3,10,App.Vector(0,0,0),App.Vector(1,0,0))cylinder2=Part.makeCylinder(3,10,App.Vector(5,0,-5),App.Vector(0,0,1))section=cylinder1.section(cylinder2)section.Wires>[]section.Edges>[<Edgeobjectat0D87CFE8>,<Edgeobjectat019564F8>,<Edgeobjectat0D998458>,<Edgeobjectat0D86DE18>,<Edgeobjectat0D9B8E80>,<Edgeobjectat012A3640>,<Edgeobjectat0D8F4BB0>]
Extrusion
Extrusion is the act of "pushing" a flat shape in a certain direction, resulting in a solid body. Think of a circle becoming a tube by "pushing it out":
circle=Part.makeCircle(10)tube=circle.extrude(App.Vector(0,0,2))
If your circle is hollow, you will obtain a hollow tube. If your circle is actually a disc with a filled face, you will obtain a solid cylinder:
wire=Part.Wire(circle)disc=Part.Face(wire)cylinder=disc.extrude(App.Vector(0,0,2))
Explore shapes
You can easily explore the topological data structure:
importPartb=Part.makeBox(100,100,100)b.Wiresw=b.Wires[0]ww.Wiresw.VertexesPart.show(w)w.Edgese=w.Edges[0]e.Vertexesv=e.Vertexes[0]v.Point
By typing the lines above in the Python interpreter, you will gain a good understanding of the structure of Part objects. Here, ourmakeBox() command created a solid shape. This solid, like all Part solids, contains faces. Faces always contain wires, which are lists of edges that border the face. Each face has at least one closed wire (it can have more if the face has a hole). In the wire, we can look at each edge separately, and inside each edge, we can see the vertices. Straight edges have only two vertices, obviously.
Edge analysis
In case of an edge, which is an arbitrary curve, it's most likely you want to do a discretization. In FreeCAD the edges are parametrized by their lengths. That means you can walk an edge/curve by its length:
importPartbox=Part.makeBox(100,100,100)anEdge=box.Edges[0]print(anEdge.Length)
Now you can access a lot of properties of the edge by using the length as a position. That means if the edge is 100mm long the start position is 0 and the end position 100.
anEdge.tangentAt(0.0)# tangent direction at the beginninganEdge.valueAt(0.0)# Point at the beginninganEdge.valueAt(100.0)# Point at the end of the edgeanEdge.derivative1At(50.0)# first derivative of the curve in the middleanEdge.derivative2At(50.0)# second derivative of the curve in the middleanEdge.derivative3At(50.0)# third derivative of the curve in the middleanEdge.centerOfCurvatureAt(50)# center of the curvature for that positionanEdge.curvatureAt(50.0)# the curvatureanEdge.normalAt(50)# normal vector at that position (if defined)
Use a selection
Here we see now how we can use a selection the user did in the viewer. First of all we create a box and show it in the viewer.
importPartPart.show(Part.makeBox(100,100,100))Gui.SendMsgToActiveView("ViewFit")
Now select some faces or edges. With this script you can iterate over all selected objects and their sub elements:
foroinGui.Selection.getSelectionEx():print(o.ObjectName)forsino.SubElementNames:print("name: ",s)forsino.SubObjects:print("object: ",s)
Select some edges and this script will calculate the length:
length=0.0foroinGui.Selection.getSelectionEx():forsino.SubObjects:length+=s.Lengthprint("Length of the selected edges: ",length)
Example: The OCC bottle
A typical example found on theOpenCasCade Technology website is how to build a bottle. This is a good exercise for FreeCAD too. In fact, if you follow our example below and the OCC page simultaneously, you will see how well OCC structures are implemented in FreeCAD. The script is included in the FreeCAD installation (inside theMod/Part folder) and can be called from the Python interpreter by typing:
importPartimportMakeBottlebottle=MakeBottle.makeBottle()Part.show(bottle)
The script
For the purpose of this tutorial we will consider a reduced version of the script. In this version the bottle will not be hollowed out, and the neck of the bottle will not be threaded.
importFreeCADasAppimportPart,mathdefmakeBottleTut(myWidth=50.0,myHeight=70.0,myThickness=30.0):aPnt1=App.Vector(-myWidth/2.,0,0)aPnt2=App.Vector(-myWidth/2.,-myThickness/4.,0)aPnt3=App.Vector(0,-myThickness/2.,0)aPnt4=App.Vector(myWidth/2.,-myThickness/4.,0)aPnt5=App.Vector(myWidth/2.,0,0)aArcOfCircle=Part.Arc(aPnt2,aPnt3,aPnt4)aSegment1=Part.LineSegment(aPnt1,aPnt2)aSegment2=Part.LineSegment(aPnt4,aPnt5)aEdge1=aSegment1.toShape()aEdge2=aArcOfCircle.toShape()aEdge3=aSegment2.toShape()aWire=Part.Wire([aEdge1,aEdge2,aEdge3])aTrsf=App.Matrix()aTrsf.rotateZ(math.pi)# rotate around the z-axisaMirroredWire=aWire.copy()aMirroredWire.transformShape(aTrsf)myWireProfile=Part.Wire([aWire,aMirroredWire])myFaceProfile=Part.Face(myWireProfile)aPrismVec=App.Vector(0,0,myHeight)myBody=myFaceProfile.extrude(aPrismVec)myBody=myBody.makeFillet(myThickness/12.0,myBody.Edges)neckLocation=App.Vector(0,0,myHeight)neckNormal=App.Vector(0,0,1)myNeckRadius=myThickness/4.myNeckHeight=myHeight/10.myNeck=Part.makeCylinder(myNeckRadius,myNeckHeight,neckLocation,neckNormal)myBody=myBody.fuse(myNeck)returnmyBodyel=makeBottleTut()Part.show(el)
Detailed explanation
importFreeCADasAppimportPart,math
We will, of course, need theFreeCAD andPart modules.
defmakeBottleTut(myWidth=50.0,myHeight=70.0,myThickness=30.0):aPnt1=App.Vector(-myWidth/2.,0,0)aPnt2=App.Vector(-myWidth/2.,-myThickness/4.,0)aPnt3=App.Vector(0,-myThickness/2.,0)aPnt4=App.Vector(myWidth/2.,-myThickness/4.,0)aPnt5=App.Vector(myWidth/2.,0,0)
Here we define ourmakeBottleTut function. This function can be called without arguments, like we did above, in which case default values for width, height, and thickness will be used. Then, we define a couple of points that will be used for building our base profile.
...aArcOfCircle=Part.Arc(aPnt2,aPnt3,aPnt4)aSegment1=Part.LineSegment(aPnt1,aPnt2)aSegment2=Part.LineSegment(aPnt4,aPnt5)
Here we define the geometry: an arc, made of three points, and two line segments, made of two points.
...aEdge1=aSegment1.toShape()aEdge2=aArcOfCircle.toShape()aEdge3=aSegment2.toShape()aWire=Part.Wire([aEdge1,aEdge2,aEdge3])
Remember the difference between geometry and shapes? Here we build shapes out of our construction geometry. Three edges (edges can be straight or curved), then a wire made of those three edges.
...aTrsf=App.Matrix()aTrsf.rotateZ(math.pi)# rotate around the z-axisaMirroredWire=aWire.copy()aMirroredWire.transformShape(aTrsf)myWireProfile=Part.Wire([aWire,aMirroredWire])
So far we have built only a half profile. Instead of building the whole profile the same way, we can just mirror what we did and glue both halves together. We first create a matrix. A matrix is a very common way to apply transformations to objects in the 3D world, since it can contain in one structure all basic transformations that 3D objects can undergo (move, rotate and scale). After we create the matrix we mirror it, then we create a copy of our wire and apply the transformation matrix to it. We now have two wires, and we can make a third wire out of them, since wires are actually lists of edges.
...myFaceProfile=Part.Face(myWireProfile)aPrismVec=App.Vector(0,0,myHeight)myBody=myFaceProfile.extrude(aPrismVec)myBody=myBody.makeFillet(myThickness/12.0,myBody.Edges)
Now that we have a closed wire, it can be turned into a face. Once we have a face, we can extrude it. In doing so, we make a solid. Then we apply a nice little fillet to our object because we care about good design, don't we?
...neckLocation=App.Vector(0,0,myHeight)neckNormal=App.Vector(0,0,1)myNeckRadius=myThickness/4.myNeckHeight=myHeight/10.myNeck=Part.makeCylinder(myNeckRadius,myNeckHeight,neckLocation,neckNormal)
At this point, the body of our bottle is made, but we still need to create a neck. So we make a new solid, with a cylinder.
...myBody=myBody.fuse(myNeck)
The fuse operation is very powerful. It will take care of gluing what needs to be glued and remove parts that need to be removed.
...returnmyBody
Then, we return our Part solid as the result of our function.
el=makeBottleTut()Part.show(el)
Finally, we call the function to actually create the part, then make it visible.
Example: Pierced box
Here is a complete example of building a pierced box.
The construction is done one side at a time. When the cube is finished, it is hollowed out by cutting a cylinder through it.
importFreeCADasAppimportPart,mathsize=10poly=Part.makePolygon([(0,0,0),(size,0,0),(size,0,size),(0,0,size),(0,0,0)])face1=Part.Face(poly)face2=Part.Face(poly)face3=Part.Face(poly)face4=Part.Face(poly)face5=Part.Face(poly)face6=Part.Face(poly)myMat=App.Matrix()myMat.rotateZ(math.pi/2)face2.transformShape(myMat)face2.translate(App.Vector(size,0,0))myMat.rotateZ(math.pi/2)face3.transformShape(myMat)face3.translate(App.Vector(size,size,0))myMat.rotateZ(math.pi/2)face4.transformShape(myMat)face4.translate(App.Vector(0,size,0))myMat=App.Matrix()myMat.rotateX(-math.pi/2)face5.transformShape(myMat)face6.transformShape(myMat)face6.translate(App.Vector(0,0,size))myShell=Part.makeShell([face1,face2,face3,face4,face5,face6])mySolid=Part.makeSolid(myShell)myCyl=Part.makeCylinder(2,20)myCyl.translate(App.Vector(size/2,size/2,0))cut_part=mySolid.cut(myCyl)Part.show(cut_part)
Loading and saving
There are several ways to save your work. You can of course save your FreeCAD document, but you can also savePart objects directly to common CAD formats, such as BREP, IGS, STEP and STL.
Saving a shape to a file is easy. There areexportBrep(),exportIges(),exportStep() andexportStl() methods available for all shape objects. So, doing:
importParts=Part.makeBox(10,10,10)s.exportStep("test.stp")
will save our box into a STEP file. To load a BREP, IGES or STEP file:
importParts=Part.Shape()s.read("test.stp")
To convert a STEP file to an IGS file:
importParts=Part.Shape()s.read("file.stp")# incoming file igs, stp, stl, breps.exportIges("file.igs")# outbound file igs
- FreeCAD scripting:Python,Introduction to Python,Python scripting tutorial,FreeCAD Scripting Basics
- Modules:Builtin modules,Units,Quantity
- Workbenches:Workbench creation,Gui Commands,Commands,Installing more workbenches
- Meshes and Parts:Mesh Scripting,Topological data scripting,Mesh to Part,PythonOCC
- Parametric objects:Scripted objects,Viewproviders(Custom icon in tree view)
- Scenegraph:Coin (Inventor) scenegraph,Pivy
- Graphical interface:Interface creation,Interface creation completely in Python(1,2,3,4,5),PySide, PySide examplesbeginner,intermediate,advanced
- Macros:Macros,How to install macros
- Embedding:Embedding FreeCAD,Embedding FreeCADGui
- Other:Expressions,Code snippets,Line drawing function,FreeCAD vector math library(deprecated)






