* First beta working workbench supporting FastHenry.py

Still missing:

- FHSegments based on paths
- .equiv statement
- FHPlanes
This commit is contained in:
Enrico Di Lorenzo - FastFieldSolvers S.R.L 2018-11-15 20:23:05 +01:00
parent 143d6e6a4a
commit 7063488008
21 changed files with 3981 additions and 29 deletions

48
EM.py Normal file
View File

@ -0,0 +1,48 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
__title__="FreeCAD E.M. Workbench API"
__author__ = "FastFieldSolvers S.R.L."
__url__ = "http://www.fastfieldsolvers.com"
## \defgroup EM E.M.
# \ingroup PYTHONWORKBENCHES
# \brief ElectroMagnetic tools
#
# This module provides tools for ElectroMagnetic analysis,
# enabling to create suitable geometries, launching field solvers,
# and post-processing the results
'''The E.M. module provides tools for ElectroMagnetic analysis'''
import FreeCAD
if FreeCAD.GuiUp:
import FreeCADGui
FreeCADGui.updateLocale()
from EM_FHNode import *
from EM_FHSegment import *
from EM_FHPort import *
from EM_FHSolver import *
from EM_FHInputFile import *

152
EM_FHInputFile.py Normal file
View File

@ -0,0 +1,152 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
__title__="FreeCAD E.M. Workbench FastHenry create input file command"
__author__ = "FastFieldSolvers S.R.L."
__url__ = "http://www.fastfieldsolvers.com"
# defines
#
EMFHINPUTFILE_DEF_FILENAME = "fasthenry_input_file.inp"
import FreeCAD, FreeCADGui, Mesh, Part, MeshPart, Draft, DraftGeomUtils, os
import EM
from FreeCAD import Vector
if FreeCAD.GuiUp:
import FreeCADGui
from PySide import QtCore, QtGui
from DraftTools import translate
from PySide.QtCore import QT_TRANSLATE_NOOP
else:
# \cond
def translate(ctxt,txt, utf8_decode=False):
return txt
def QT_TRANSLATE_NOOP(ctxt,txt):
return txt
# \endcond
__dir__ = os.path.dirname(__file__)
iconPath = os.path.join( __dir__, 'Resources' )
def makeFHInputFile(doc=None,filename=None,folder=None):
'''Creates a FastHenry input file
'doc' is the Document object that must contain at least one
EM_FHSolver object and the relevant geometry.
If no 'doc' is given, the active document is used, if any.
Example:
TBD
'''
if not doc:
doc = App.ActiveDocument
if not doc:
FreeCAD.Console.PrintWarning(translate("EM","No active document available. Aborting."))
return
# get the solver object, if any
solver = [obj for obj in doc.Objects if Draft.getType(obj) == "FHSolver"]
if solver == []:
# error
FreeCAD.Console.PrintWarning(translate("EM","FHSolver object not found in the document. Aborting."))
return
else:
# TBC warning: may warn the user if more that one solver is present per document
solver = solver[0]
if not filename:
# if 'filename' was not passed as an argument, retrieve it from the 'solver' object
# (this should be the standard way)
if solver.Filename == "":
# build a filename concatenating the document name
solver.Filename = doc.Name + EMFHSOLVER_DEF_FILENAME
filename = solver.Filename
else:
# otherwise, if the user passed a filename to the function, update it in the 'solver' object
solver.Filename = filename
if not folder:
# if not specified, default to the user's home path
# (e.g. in Windows "C:\Documents and Settings\username\My Documents", in Linux "/home/username")
folder = FreeCAD.ConfigGet("UserHomePath")
if not os.path.isdir(folder):
os.mkdir(folder)
# check if exists
if os.path.isfile(folder + os.sep + filename):
# filename already exists! Do not overwrite
FreeCAD.Console.PrintWarning(translate("EM","Filename already exists") + " '" + str(folder) + str(os.sep) + str(filename) + "'\n")
return
FreeCAD.Console.PrintMessage(QT_TRANSLATE_NOOP("EM","Exporting to FastHenry file ") + "'" + folder + os.sep + filename + "'\n")
with open(folder + os.sep + filename, 'w') as fid:
# serialize the header
solver.Proxy.serialize(fid,"head")
# now the nodes
fid.write("* Nodes\n")
nodes = [obj for obj in doc.Objects if Draft.getType(obj) == "FHNode"]
for node in nodes:
node.Proxy.serialize(fid)
# then the segments
fid.write("\n")
fid.write("* Segments\n")
segments = [obj for obj in doc.Objects if Draft.getType(obj) == "FHSegment"]
for segment in segments:
segment.Proxy.serialize(fid)
# then the .equiv
# TBC
# then the ports
fid.write("\n")
fid.write("* Ports\n")
ports = [obj for obj in doc.Objects if Draft.getType(obj) == "FHPort"]
for port in ports:
port.Proxy.serialize(fid)
# and finally the tail
fid.write("\n")
solver.Proxy.serialize(fid,"tail")
FreeCAD.Console.PrintMessage(QT_TRANSLATE_NOOP("EM","Finished exporting")+"\n")
class _CommandFHInputFile:
''' The EM FastHenry create input file command definition
'''
def GetResources(self):
return {'Pixmap' : os.path.join(iconPath, 'inputfile_icon.svg') ,
'MenuText': QT_TRANSLATE_NOOP("EM_FHInputFile","FHInputFile"),
'Accel': "E, I",
'ToolTip': QT_TRANSLATE_NOOP("EM_FHInputFile","Creates a FastHenry input file")}
def IsActive(self):
return not FreeCAD.ActiveDocument is None
def Activated(self):
# init properties (future)
#self.Length = None
# preferences
#p = FreeCAD.ParamGet("User parameter:BaseApp/Preferences/Mod/EM")
#self.Width = p.GetFloat("Width",200)
FreeCAD.ActiveDocument.openTransaction(translate("EM","Create a FastHenry file"))
FreeCADGui.addModule("EM")
FreeCADGui.doCommand('obj=EM.makeFHInputFile(App.ActiveDocument)')
FreeCAD.ActiveDocument.commitTransaction()
FreeCAD.ActiveDocument.recompute()
if FreeCAD.GuiUp:
FreeCADGui.addCommand('EM_FHInputFile',_CommandFHInputFile())
#pts = [obj for obj in FreeCAD.ActiveDocument.Objects if Draft.getType(obj) == "Point"]

249
EM_FHNode.py Normal file
View File

@ -0,0 +1,249 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
__title__="FreeCAD E.M. Workbench FastHenry Node Class"
__author__ = "FastFieldSolvers S.R.L."
__url__ = "http://www.fastfieldsolvers.com"
# defines
#
# default node color
EMFHNODE_DEF_NODECOLOR = (1.0,0.0,0.0)
EMFHNODE_DEF_NODESIZE = 10
import FreeCAD, FreeCADGui, Mesh, Part, MeshPart, Draft, DraftGeomUtils, os
from FreeCAD import Vector
if FreeCAD.GuiUp:
import FreeCADGui
from PySide import QtCore, QtGui
from DraftTools import translate
from PySide.QtCore import QT_TRANSLATE_NOOP
else:
# \cond
def translate(ctxt,txt, utf8_decode=False):
return txt
def QT_TRANSLATE_NOOP(ctxt,txt):
return txt
# \endcond
__dir__ = os.path.dirname(__file__)
iconPath = os.path.join( __dir__, 'Resources' )
def makeFHNode(baseobj=None,color=None,size=None,name='FHNode'):
'''Creates a FastHenry node ('N' statement in FastHenry)
'baseobj' is the point object on which the node is based.
If no 'baseobj' is given, the user must assign a base
object later on, to be able to use this object.
Example:
TBD
'''
obj = FreeCAD.ActiveDocument.addObject("Part::FeaturePython", name)
obj.Label = translate("EM", name)
# this adds the relevant properties to the object
#'obj' (e.g. 'Base' property) making it a _FHNode
_FHNode(obj)
# manage ViewProvider object
if FreeCAD.GuiUp:
_ViewProviderFHNode(obj.ViewObject)
# set base ViewObject properties to user-selected values (if any)
if color:
obj.ViewObject.PointColor = color
else:
obj.ViewObject.PointColor = EMFHNODE_DEF_NODECOLOR
if size:
obj.ViewObject.PointSize = size
else:
obj.ViewObject.PointSize = EMFHNODE_DEF_NODESIZE
# check if 'baseobj' is a point (only base object allowed)
if baseobj:
if Draft.getType(baseobj) == "Point":
obj.Base = baseobj
else:
FreeCAD.Console.PrintWarning(translate("EM","FHNodes can only be based on Point objects"))
# hide the base object
if obj.Base and FreeCAD.GuiUp:
obj.Base.ViewObject.hide()
# force recompute to show the Python object
FreeCAD.ActiveDocument.recompute()
# return the newly created Python object
return obj
class _FHNode:
'''The EM FastHenry Node object'''
def __init__(self, obj):
''' Add properties '''
obj.addProperty("App::PropertyLink", "Base", "EM", QT_TRANSLATE_NOOP("App::Property","The base object this component is built upon"))
obj.Proxy = self
self.Type = "FHNode"
# save the object in the class, to store or retrieve specific data from it
# from within the class
self.Object = obj
def execute(self, obj):
''' this method is mandatory. It is called on Document.recompute()
'''
# check if we have a 'Base' object
if obj.Base:
# computing a shape from a base object
if obj.Base.isDerivedFrom("Part::Feature"):
# check validity
if obj.Base.Shape.isNull():
return
if not obj.Base.Shape.isValid():
return
# ok, it's valid. Let's verify if this is a Point.
if Draft.getType(obj.Base) == "Point":
shape = Part.Vertex(obj.Base.Shape)
obj.Shape = shape
def onChanged(self, obj, prop):
''' take action if an object property 'prop' changed
'''
#FreeCAD.Console.PrintWarning("\n_FHNode onChanged(" + str(prop)+")\n") #debug
if not hasattr(self,"Object"):
# on restore, self.Object is not there anymore
self.Object = obj
# if the user changed the base object
if prop == "Base":
# check if we have a 'Base' object
if obj.Base:
# computing a shape from a base object
if obj.Base.isDerivedFrom("Part::Feature"):
# check validity
if obj.Base.Shape.isNull():
return
if not obj.Base.Shape.isValid():
return
# ok, it's valid. Let's verify if this is a Point.
if Draft.getType(obj.Base) == "Point":
shape = Part.Vertex(obj.Base.Shape)
obj.Shape = shape
def serialize(self,fid):
''' Serialize the object to the 'fid' file descriptor
'''
# check if we have a 'Base' object
if self.Object.Base:
# ok, it's valid. Let's verify if this is a Point.
if Draft.getType(self.Object.Base) == "Point":
fid.write("N" + self.Object.Label)
fid.write(" x=" + str(self.Object.Base.X.Value) + " y=" + str(self.Object.Base.Y.Value) + " z=" + str(self.Object.Base.Z.Value))
fid.write("\n")
class _ViewProviderFHNode:
def __init__(self, obj):
''' Set this object to the proxy object of the actual view provider '''
obj.Proxy = self
self.Object = obj.Object
def attach(self, obj):
''' Setup the scene sub-graph of the view provider, this method is mandatory '''
return
def updateData(self, fp, prop):
''' Print the name of the property that has changed '''
#FreeCAD.Console.PrintMessage("ViewProvider updateData(), property: " + str(prop) + "\n")
''' If a property of the handled feature has changed we have the chance to handle this here '''
return
def getDefaultDisplayMode(self):
''' Return the name of the default display mode. It must be defined in getDisplayModes. '''
return "Flat Lines"
def onChanged(self, vp, prop):
''' Print the name of the property that has changed '''
#FreeCAD.Console.PrintMessage("ViewProvider onChanged(), property: " + str(prop) + "\n")
def claimChildren(self):
''' Used to place other objects as childrens in the tree'''
c = []
if hasattr(self,"Object"):
if hasattr(self.Object,"Base"):
c = [self.Object.Base]
return c
def getIcon(self):
''' Return the icon in XMP format which will appear in the tree view. This method is optional
and if not defined a default icon is shown.
'''
return os.path.join(iconPath, 'node_icon.svg')
class _CommandFHNode:
''' The EM FastHenry Node (FHNode) command definition
'''
def GetResources(self):
return {'Pixmap' : os.path.join(iconPath, 'node_icon.svg') ,
'MenuText': QT_TRANSLATE_NOOP("EM_FHNode","FHNode"),
'Accel': "E, N",
'ToolTip': QT_TRANSLATE_NOOP("EM_FHNode","Creates a FastHenry Node object from scratch or from a selected object (point)")}
def IsActive(self):
return not FreeCAD.ActiveDocument is None
def Activated(self):
# get the selected object(s)
sel = FreeCADGui.Selection.getSelectionEx()
done = False
# if selection is not empty
if sel:
# automatic mode
import Draft
if Draft.getType(sel[0].Object) != "FHNode":
FreeCAD.ActiveDocument.openTransaction(translate("EM","Create FHNode"))
FreeCADGui.addModule("EM")
for selobj in sel:
FreeCADGui.doCommand('obj=EM.makeFHNode(FreeCAD.ActiveDocument.'+selobj.Object.Name+')')
# autogrouping, for later on
#FreeCADGui.addModule("Draft")
#FreeCADGui.doCommand("Draft.autogroup(obj)")
FreeCAD.ActiveDocument.commitTransaction()
FreeCAD.ActiveDocument.recompute()
done = True
# if no selection, or nothing good in the selected objects
if not done:
FreeCAD.DraftWorkingPlane.setup()
# get a 3D point via Snapper, setting the callback functions
FreeCADGui.Snapper.getPoint(callback=self.getPoint)
def getPoint(self,point=None,obj=None):
"this function is called by the snapper when it has a 3D point"
if point == None:
return
coord = FreeCAD.DraftWorkingPlane.getLocalCoords(point)
FreeCAD.ActiveDocument.openTransaction(translate("EM","Create FHNode"))
FreeCADGui.addModule("EM")
FreeCADGui.doCommand('import Draft')
FreeCADGui.doCommand('base=Draft.makePoint('+str(coord.x)+','+str(coord.y)+','+str(coord.z)+')')
FreeCADGui.doCommand('obj=EM.makeFHNode(base)')
FreeCAD.ActiveDocument.commitTransaction()
FreeCAD.ActiveDocument.recompute()
# might improve in the future with continue command
#if self.continueCmd:
# self.Activated()
if FreeCAD.GuiUp:
FreeCADGui.addCommand('EM_FHNode',_CommandFHNode())

245
EM_FHPort.py Normal file
View File

@ -0,0 +1,245 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
__title__="FreeCAD E.M. Workbench FastHenry Port Class"
__author__ = "FastFieldSolvers S.R.L."
__url__ = "http://www.fastfieldsolvers.com"
# defines
#
# tolerance in distance between nodes to define a port
EMFHPORT_LENTOL = 1e-12
import FreeCAD, FreeCADGui, Mesh, Part, MeshPart, Draft, DraftGeomUtils, os
import EM
from FreeCAD import Vector
if FreeCAD.GuiUp:
import FreeCADGui
from PySide import QtCore, QtGui
from DraftTools import translate
from PySide.QtCore import QT_TRANSLATE_NOOP
else:
# \cond
def translate(ctxt,txt, utf8_decode=False):
return txt
def QT_TRANSLATE_NOOP(ctxt,txt):
return txt
# \endcond
__dir__ = os.path.dirname(__file__)
iconPath = os.path.join( __dir__, 'Resources' )
def makeFHPort(nodeStart=None,nodeEnd=None,name='FHPort'):
''' Creates a FastHenry port ('.external' statement in FastHenry)
'nodeStart' is the positive node
'nodeEnd' is the negative node
Example:
TBD
'''
obj = FreeCAD.ActiveDocument.addObject("Part::FeaturePython", name)
obj.Label = translate("EM", name)
# this adds the relevant properties to the object
#'obj' (e.g. 'Base' property) making it a _FHPort
_FHPort(obj)
# manage ViewProvider object
if FreeCAD.GuiUp:
_ViewProviderFHPort(obj.ViewObject)
# set base ViewObject properties to user-selected values (if any)
# check if 'nodeStart' is a FHNode, and if so, assign it as port start (positive) node
if nodeStart:
if Draft.getType(nodeStart) == "FHNode":
obj.NodeStart = nodeStart
# check if 'nodeEnd' is a FHNode, and if so, assign it as port end (negative) node
if nodeEnd:
if Draft.getType(nodeEnd) == "FHNode":
obj.NodeEnd = nodeEnd
# return the newly created Python object
return obj
class _FHPort:
'''The EM FastHenry Port object'''
def __init__(self, obj):
''' Add properties '''
obj.addProperty("App::PropertyLink","NodeStart","EM",QT_TRANSLATE_NOOP("App::Property","Starting FHNode"))
obj.addProperty("App::PropertyLink","NodeEnd","EM",QT_TRANSLATE_NOOP("App::Property","Ending FHNode"))
obj.Proxy = self
self.Type = "FHPort"
# save the object in the class, to store or retrieve specific data from it
# from within the class
self.Object = obj
def execute(self, obj):
''' this method is mandatory. It is called on Document.recompute()
'''
if obj.NodeStart == None:
return
elif Draft.getType(obj.NodeStart) <> "FHNode":
FreeCAD.Console.PrintWarning(translate("EM","NodeStart is not a FHNode"))
return
if obj.NodeEnd == None:
return
elif Draft.getType(obj.NodeEnd) <> "FHNode":
FreeCAD.Console.PrintWarning(translate("EM","NodeEnd is not a FHNode"))
return
if obj.NodeStart == obj.NodeEnd:
FreeCAD.Console.PrintWarning(translate("EM","NodeStart and NodeEnd coincide. Cannot create a port."))
return
# and finally, if everything is ok, make and assing the shape
self.assignShape(obj)
def assignShape(self, obj):
''' Compute and assign the shape to the object 'obj' '''
n1 = obj.NodeStart.Shape.Point
n2 = obj.NodeEnd.Shape.Point
shape = self.makePortShape(n1,n2)
# shape may be None, e.g. if endpoints coincide. Do not assign in this case.
# Port is still valid, but not visible.
if shape:
obj.Shape = shape
def makePortShape(self,n1,n2):
''' Compute a port shape given:
'n1': start node position (Vector)
'n2': end node position (Vector)
'''
# do not accept coincident nodes
if (n2-n1).Length < EMFHPORT_LENTOL:
return None
line = Part.makeLine(n1, n2)
# calculate arrow head base
direction = n1 - n2
length = direction.Length
base = Vector(direction)
base.normalize()
base.multiply(length * 0.8)
base = n2 + base
# radius2 is calculated for a fixed arrow head angle tan(15deg)=0.27
cone = Part.makeCone(0.2 * length * 0.27, 0.0, 0.2 * length, base, direction, 360)
# add the compound representing the arrow
arrow = Part.makeCompound([line, cone])
return arrow
def onChanged(self, obj, prop):
''' take action if an object property 'prop' changed
'''
#FreeCAD.Console.PrintWarning("\n_FHSegment onChanged(" + str(prop)+")\n") #debug
if not hasattr(self,"Object"):
# on restore, self.Object is not there anymore
self.Object = obj
return
def serialize(self,fid):
''' Serialize the object to the 'fid' file descriptor
'''
fid.write(".external N" + self.Object.NodeStart.Label + " N" + self.Object.NodeEnd.Label + "\n")
class _ViewProviderFHPort:
def __init__(self, obj):
''' Set this object to the proxy object of the actual view provider '''
obj.Proxy = self
self.Object = obj.Object
def attach(self, obj):
''' Setup the scene sub-graph of the view provider, this method is mandatory '''
return
def updateData(self, fp, prop):
''' Print the name of the property that has changed '''
#FreeCAD.Console.PrintMessage("ViewProvider updateData(), property: " + str(prop) + "\n")
''' If a property of the handled feature has changed we have the chance to handle this here '''
return
def getDefaultDisplayMode(self):
''' Return the name of the default display mode. It must be defined in getDisplayModes. '''
return "Flat Lines"
def onChanged(self, vp, prop):
''' Print the name of the property that has changed '''
#FreeCAD.Console.PrintMessage("ViewProvider onChanged(), property: " + str(prop) + "\n")
def claimChildren(self):
''' Used to place other objects as childrens in the tree'''
c = []
if hasattr(self,"Object"):
if hasattr(self.Object,"NodeStart"):
c.append(self.Object.NodeStart)
if hasattr(self.Object,"NodeEnd"):
c.append(self.Object.NodeEnd)
return c
def getIcon(self):
''' Return the icon in XMP format which will appear in the tree view. This method is optional
and if not defined a default icon is shown.
'''
return os.path.join(iconPath, 'port_icon.svg')
class _CommandFHPort:
''' The EM FastHenry Port (FHPort) command definition
'''
def GetResources(self):
return {'Pixmap' : os.path.join(iconPath, 'port_icon.svg') ,
'MenuText': QT_TRANSLATE_NOOP("EM_FHPort","FHPort"),
'Accel': "E, P",
'ToolTip': QT_TRANSLATE_NOOP("EM_FHPort","Creates a FastHenry Port object from two FHNodes")}
def IsActive(self):
return not FreeCAD.ActiveDocument is None
def Activated(self):
# init properties (future)
#self.Length = None
# preferences
#p = FreeCAD.ParamGet("User parameter:BaseApp/Preferences/Mod/EM")
#self.Width = p.GetFloat("Width",200)
# get the selected object(s)
selection = FreeCADGui.Selection.getSelectionEx()
startNode = None
endNode = None
# if selection is not empty
for selobj in selection:
if Draft.getType(selobj.Object) == "FHNode":
if startNode == None:
startNode = selobj.Object
elif endNode == None:
endNode = selobj.Object
else:
FreeCAD.Console.PrintWarning(translate("EM","More than two FHNodes selected when creating a FHPort. Using only the first two."))
if startNode <> None and endNode <> None:
FreeCAD.ActiveDocument.openTransaction(translate("EM","Create FHPort"))
FreeCADGui.addModule("EM")
FreeCADGui.doCommand('obj=EM.makeFHPort(nodeStart=FreeCAD.ActiveDocument.'+startNode.Name+',nodeEnd=FreeCAD.ActiveDocument.'+endNode.Name+')')
# autogrouping, for later on
#FreeCADGui.addModule("Draft")
#FreeCADGui.doCommand("Draft.autogroup(obj)")
FreeCAD.ActiveDocument.commitTransaction()
FreeCAD.ActiveDocument.recompute()
else:
FreeCAD.Console.PrintWarning(translate("EM","Select two FHNodes for creating a FHPort"))
if FreeCAD.GuiUp:
FreeCADGui.addCommand('EM_FHPort',_CommandFHPort())

421
EM_FHSegment.py Normal file
View File

@ -0,0 +1,421 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
__title__="FreeCAD E.M. Workbench FastHenry Segment Class"
__author__ = "FastFieldSolvers S.R.L."
__url__ = "http://www.fastfieldsolvers.com"
# defines
#
EMFHSEGMENT_DEF_SEGWIDTH = 1.0
EMFHSEGMENT_DEF_SEGHEIGHT = 1.0
# tolerance in degrees when verifying if vectors are parallel
EMFHSEGMENT_PARTOL = 0.01
# tolerance in length
EMFHSEGMENT_LENTOL = 1e-12
import FreeCAD, FreeCADGui, Mesh, Part, MeshPart, Draft, DraftGeomUtils, os
import EM
from FreeCAD import Vector
if FreeCAD.GuiUp:
import FreeCADGui
from PySide import QtCore, QtGui
from DraftTools import translate
from PySide.QtCore import QT_TRANSLATE_NOOP
else:
# \cond
def translate(ctxt,txt, utf8_decode=False):
return txt
def QT_TRANSLATE_NOOP(ctxt,txt):
return txt
# \endcond
__dir__ = os.path.dirname(__file__)
iconPath = os.path.join( __dir__, 'Resources' )
def makeFHSegment(baseobj=None,nodeStart=None,nodeEnd=None,name='FHSegment'):
'''Creates a FastHenry segment ('E' statement in FastHenry)
'baseobj' is the line object on which the node is based.
If no 'baseobj' is given, the user must assign a base
object later on, to be able to use this object.
Example:
TBD
'''
obj = FreeCAD.ActiveDocument.addObject("Part::FeaturePython", name)
obj.Label = translate("EM", name)
# this adds the relevant properties to the object
#'obj' (e.g. 'Base' property) making it a _FHSegment
_FHSegment(obj)
# manage ViewProvider object
if FreeCAD.GuiUp:
_ViewProviderFHSegment(obj.ViewObject)
# set base ViewObject properties to user-selected values (if any)
# check if 'nodeStart' is a FHNode, and if so, assign it as segment start node
if nodeStart:
if Draft.getType(nodeStart) == "FHNode":
obj.NodeStart = nodeStart
# check if 'nodeEnd' is a FHNode, and if so, assign it as segment end node
if nodeEnd:
if Draft.getType(nodeEnd) == "FHNode":
obj.NodeEnd = nodeEnd
# check if 'baseobj' is a wire (only base object allowed)
if baseobj:
if Draft.getType(baseobj) == "Wire":
if len(baseobj.Shape.Vertexes) == 2:
obj.Base = baseobj
else:
FreeCAD.Console.PrintWarning(translate("EM","FHSegments can only be based on Line objects (not multi-segment wires)"))
else:
FreeCAD.Console.PrintWarning(translate("EM","FHSegments can only be based on Line objects"))
# hide the base object
if obj.Base and FreeCAD.GuiUp:
obj.Base.ViewObject.hide()
# return the newly created Python object
return obj
class _FHSegment:
'''The EM FastHenry Segment object'''
def __init__(self, obj):
''' Add properties '''
obj.addProperty("App::PropertyLink", "Base", "EM", QT_TRANSLATE_NOOP("App::Property","The base object this component is built upon"))
obj.addProperty("App::PropertyLink","NodeStart","EM",QT_TRANSLATE_NOOP("App::Property","Starting FHNode"))
obj.addProperty("App::PropertyLink","NodeEnd","EM",QT_TRANSLATE_NOOP("App::Property","Ending FHNode"))
obj.addProperty("App::PropertyLength","Width","EM",QT_TRANSLATE_NOOP("App::Property","Segment width ('w' segment parameter)"))
obj.addProperty("App::PropertyLength","Height","EM",QT_TRANSLATE_NOOP("App::Property","Segment height ('h' segment parameter)"))
obj.addProperty("App::PropertyFloat","Sigma","EM",QT_TRANSLATE_NOOP("App::Property","Segment conductivity ('sigma' segment parameter)"))
obj.addProperty("App::PropertyVector","ww","EM",QT_TRANSLATE_NOOP("App::Property","Segment cross-section direction along width ('wx', 'wy', 'wz' segment parameter)"))
obj.addProperty("App::PropertyInteger","nhinc","EM",QT_TRANSLATE_NOOP("App::Property","Number of filaments in the height direction ('nhinc' segment parameter)"))
obj.addProperty("App::PropertyInteger","nwinc","EM",QT_TRANSLATE_NOOP("App::Property","Number of filaments in the width direction ('nwinc' segment parameter)"))
obj.addProperty("App::PropertyInteger","rh","EM",QT_TRANSLATE_NOOP("App::Property","Ratio of adjacent filaments in the height direction ('rh' segment parameter)"))
obj.addProperty("App::PropertyInteger","rw","EM",QT_TRANSLATE_NOOP("App::Property","Ratio of adjacent filaments in the width direction ('rw' segment parameter)"))
obj.Proxy = self
self.Type = "FHSegment"
# save the object in the class, to store or retrieve specific data from it
# from within the class
self.Object = obj
def execute(self, obj):
''' this method is mandatory. It is called on Document.recompute()
'''
# check if we have a 'Base' object; if so, if segment end nodes
# were already defined, re-set them according to the 'Base' object;
# this means that the user cannot move freely the end nodes, if
# there is a base object
if obj.Base:
# if right type of base
if obj.Base.isDerivedFrom("Part::Feature"):
# check validity
if obj.Base.Shape.isNull():
return
if not obj.Base.Shape.isValid():
return
# ok, it's valid. Let's verify if this is a Wire.
if Draft.getType(obj.Base) == "Wire":
if obj.NodeStart <> None:
# TBC warning. Should use a method of _FHNode class. Shortcut.
obj.NodeStart.Base.X = obj.Base.Start.x
obj.NodeStart.Base.Y = obj.Base.Start.y
obj.NodeStart.Base.Z = obj.Base.Start.z
#obj.NodeStart.Base.Shape = Part.Vertex(obj.Base.Start)
if obj.NodeEnd <> None:
# TBC warning. Should use a method of _FHNode class. Shortcut.
obj.NodeEnd.Base.X = obj.Base.End.x
obj.NodeEnd.Base.Y = obj.Base.End.y
obj.NodeEnd.Base.Z = obj.Base.End.z
#obj.NodeEnd.Base.Shape = Part.Vertex(obj.Base.End)
if obj.NodeStart == None:
return
elif Draft.getType(obj.NodeStart) <> "FHNode":
FreeCAD.Console.PrintWarning(translate("EM","NodeStart is not a FHNode"))
return
if obj.NodeEnd == None:
return
elif Draft.getType(obj.NodeEnd) <> "FHNode":
FreeCAD.Console.PrintWarning(translate("EM","NodeEnd is not a FHNode"))
return
if obj.Width == None or obj.Width <= 0:
obj.Width = EMFHSEGMENT_DEF_SEGWIDTH
if obj.Height == None or obj.Height <= 0:
obj.Height = EMFHSEGMENT_DEF_SEGHEIGHT
# and finally, if everything is ok, make and assing the shape
self.assignShape(obj)
def assignShape(self, obj):
''' Compute and assign the shape to the object 'obj' '''
n1 = obj.NodeStart.Shape.Point
n2 = obj.NodeEnd.Shape.Point
shape = self.makeSegShape(n1,n2,obj.Width,obj.Height,obj.ww)
# shape may be None, e.g. if endpoints coincide. Do not assign in this case
if shape:
obj.Shape = shape
def makeSegShape(self,n1,n2,width,height,ww):
''' Compute a segment shape given:
'n1': start node position (Vector)
'n2': end node position (Vector)
'width': segment width
'height': segment height
'ww': cross-section direction (along width)
'''
# do not accept coincident nodes
if (n2-n1).Length < EMFHSEGMENT_LENTOL:
return None
# vector along length
wl = n2-n1;
# calculate the vector along the height
wh = (ww.cross(wl))
# if cross-section is not defined, by default the width vector
# is assumed to lie in x-y plane perpendicular to the length.
# If the length direction is parallel to the z-axis, then
# the width is assumed along the x-axis.
# The same is done if 'ww' has been defined parallel to 'wl'
if ww.Length < EMFHSEGMENT_LENTOL or wh.Length < EMFHSEGMENT_LENTOL:
# if length parallel to the z-axis
if wl.getAngle(Vector(0,0,1))*FreeCAD.Units.Radian < EMFHSEGMENT_PARTOL:
ww = Vector(1,0,0)
else:
ww = (wl.cross(Vector(0,0,1))).normalize()
# and re-calculate 'wh' since we changed 'ww'
wh = (ww.cross(wl))
# normalize the freshly calculated 'wh'
wh.normalize()
# copy ww as the multiply() method changes the vector on which is called
wwHalf = Vector(ww)
# must normalize. We don't want to touch 'ww', as this is user's defined
wwHalf.normalize()
wwHalf.multiply(width / 2)
# copy wh as the multiply() method changes the vector on which is called
whHalf = Vector(wh)
whHalf.multiply(height / 2)
# calculate the vertexes
v11 = n1 - wwHalf - whHalf
v12 = n1 + wwHalf - whHalf
v13 = n1 + wwHalf + whHalf
v14 = n1 - wwHalf + whHalf
v21 = n2 - wwHalf - whHalf
v22 = n2 + wwHalf - whHalf
v23 = n2 + wwHalf + whHalf
v24 = n2 - wwHalf + whHalf
# now make faces
# front
poly = Part.makePolygon( [v11,v12,v13,v14,v11])
face1 = Part.Face(poly)
# back
poly = Part.makePolygon( [v21,v24,v23,v22,v21])
face2 = Part.Face(poly)
# left
poly = Part.makePolygon( [v11,v14,v24,v21,v11])
face3 = Part.Face(poly)
# right
poly = Part.makePolygon( [v12,v22,v23,v13,v12])
face4 = Part.Face(poly)
# top
poly = Part.makePolygon( [v14,v13,v23,v24,v14])
face5 = Part.Face(poly)
# bottom
poly = Part.makePolygon( [v11,v21,v22,v12,v11])
face6 = Part.Face(poly)
# create a shell. Does not need to be solid.
segShell = Part.makeShell([face1,face2,face3,face4,face5,face6])
return segShell
def onChanged(self, obj, prop):
''' take action if an object property 'prop' changed
'''
#FreeCAD.Console.PrintWarning("\n_FHSegment onChanged(" + str(prop)+")\n") #debug
if not hasattr(self,"Object"):
# on restore, self.Object is not there anymore
self.Object = obj
# if the user changed the base object. Remark: as makePoint() calls Document.recompute(),
# we cannot have the node creation in the class execute() method, since execute() is called
# upon recompute(), so we'd have recursive recompute() calls
if prop == "Base":
# check if we have a 'Base' object
if obj.Base:
# computing a shape from a base object
if obj.Base.isDerivedFrom("Part::Feature"):
# check validity
if obj.Base.Shape.isNull():
return
if not obj.Base.Shape.isValid():
return
# ok, it's valid. Let's verify if this is a Wire.
if Draft.getType(obj.Base) == "Wire":
p1 = Draft.makePoint(obj.Base.Start)
obj.NodeStart = EM.makeFHNode(p1)
p2 = Draft.makePoint(obj.Base.End)
obj.NodeEnd = EM.makeFHNode(p2)
def serialize(self,fid):
''' Serialize the object to the 'fid' file descriptor
'''
fid.write("E" + self.Object.Label + " N" + self.Object.NodeStart.Label + " N" + self.Object.NodeEnd.Label)
fid.write(" w=" + str(self.Object.Width.Value) + " h=" + str(self.Object.Height.Value))
if self.Object.Sigma > 0:
fid.write(" sigma=" + str(self.Object.Sigma))
if self.Object.ww.Length >= EMFHSEGMENT_LENTOL:
fid.write(" wx=" + str(self.Object.ww.x) + " wy=" + str(self.Object.ww.y) + " wz=" + str(self.Object.ww.z))
if self.Object.nhinc > 0:
fid.write(" nhinc=" + str(self.Object.nhinc))
if self.Object.nwinc > 0:
fid.write(" nwinc=" + str(self.Object.nwinc))
if self.Object.rh > 0:
fid.write(" rh=" + str(self.Object.rh))
if self.Object.rw > 0:
fid.write(" rw=" + str(self.Object.rw))
fid.write("\n")
class _ViewProviderFHSegment:
def __init__(self, obj):
''' Set this object to the proxy object of the actual view provider '''
obj.Proxy = self
self.Object = obj.Object
def attach(self, obj):
''' Setup the scene sub-graph of the view provider, this method is mandatory '''
return
def updateData(self, fp, prop):
''' Print the name of the property that has changed '''
#FreeCAD.Console.PrintMessage("ViewProvider updateData(), property: " + str(prop) + "\n")
''' If a property of the handled feature has changed we have the chance to handle this here '''
return
def getDefaultDisplayMode(self):
''' Return the name of the default display mode. It must be defined in getDisplayModes. '''
return "Flat Lines"
def onChanged(self, vp, prop):
''' Print the name of the property that has changed '''
#FreeCAD.Console.PrintMessage("ViewProvider onChanged(), property: " + str(prop) + "\n")
def claimChildren(self):
''' Used to place other objects as childrens in the tree'''
c = []
if hasattr(self,"Object"):
if hasattr(self.Object,"Base"):
c.append(self.Object.Base)
if hasattr(self.Object,"NodeStart"):
c.append(self.Object.NodeStart)
if hasattr(self.Object,"NodeEnd"):
c.append(self.Object.NodeEnd)
return c
def getIcon(self):
''' Return the icon in XMP format which will appear in the tree view. This method is optional
and if not defined a default icon is shown.
'''
return os.path.join(iconPath, 'segment_icon.svg')
class _CommandFHSegment:
''' The EM FastHenry Segment (FHSegment) command definition
'''
def GetResources(self):
return {'Pixmap' : os.path.join(iconPath, 'segment_icon.svg') ,
'MenuText': QT_TRANSLATE_NOOP("EM_FHSegment","FHSegment"),
'Accel': "E, S",
'ToolTip': QT_TRANSLATE_NOOP("EM_FHSegment","Creates a FastHenry Segment object from scratch, from a selected base object (wire), or from two FHNodes")}
def IsActive(self):
return not FreeCAD.ActiveDocument is None
def Activated(self):
# init properties (future)
#self.Length = None
# preferences
#p = FreeCAD.ParamGet("User parameter:BaseApp/Preferences/Mod/EM")
#self.Width = p.GetFloat("Width",200)
# get the selected object(s)
selection = FreeCADGui.Selection.getSelectionEx()
done = False
startNode = None
endNode = None
# if selection is not empty
for selobj in selection:
# automatic mode
if Draft.getType(selobj.Object) == "Wire":
FreeCAD.ActiveDocument.openTransaction(translate("EM","Create FHSegment"))
FreeCADGui.addModule("EM")
FreeCADGui.doCommand('obj=EM.makeFHSegment(FreeCAD.ActiveDocument.'+selobj.Object.Name+')')
# autogrouping, for later on
#FreeCADGui.addModule("Draft")
#FreeCADGui.doCommand("Draft.autogroup(obj)")
FreeCAD.ActiveDocument.commitTransaction()
FreeCAD.ActiveDocument.recompute()
done = True
if Draft.getType(selobj.Object) == "FHNode":
if startNode == None:
startNode = selobj.Object
elif endNode == None:
endNode = selobj.Object
else:
FreeCAD.Console.PrintWarning(translate("EM","More than two FHNodes selected when creating a FHSegment. Using only the first two."))
if startNode <> None and endNode <> None:
FreeCAD.ActiveDocument.openTransaction(translate("EM","Create FHSegment"))
FreeCADGui.addModule("EM")
FreeCADGui.doCommand('obj=EM.makeFHSegment(nodeStart=FreeCAD.ActiveDocument.'+startNode.Name+',nodeEnd=FreeCAD.ActiveDocument.'+endNode.Name+')')
# autogrouping, for later on
#FreeCADGui.addModule("Draft")
#FreeCADGui.doCommand("Draft.autogroup(obj)")
FreeCAD.ActiveDocument.commitTransaction()
FreeCAD.ActiveDocument.recompute()
done = True
# if no selection, or nothing good in the selected objects
if not done:
FreeCAD.DraftWorkingPlane.setup()
# get two 3D point via Snapper, setting the callback functions
self.points = []
FreeCADGui.Snapper.getPoint(callback=self.getPoint)
def getPoint(self,point=None,obj=None):
"this function is called by the snapper when it has a 3D point"
if point == None:
return
self.points.append(point)
if len(self.points) == 1:
# get the second point
FreeCADGui.Snapper.getPoint(last=self.points[0],callback=self.getPoint)
elif len(self.points) >= 2:
coord1 = FreeCAD.DraftWorkingPlane.getLocalCoords(self.points[0])
coord2 = FreeCAD.DraftWorkingPlane.getLocalCoords(self.points[1])
FreeCAD.ActiveDocument.openTransaction(translate("EM","Create FHNode"))
FreeCADGui.addModule("EM")
FreeCADGui.doCommand('import Draft')
FreeCADGui.doCommand('from FreeCAD import Vector')
FreeCADGui.doCommand('v1 = Vector('+str(coord1.x)+','+str(coord1.y)+','+str(coord1.z)+')')
FreeCADGui.doCommand('v2 = Vector('+str(coord2.x)+','+str(coord2.y)+','+str(coord2.z)+')')
FreeCADGui.doCommand('base=Draft.makeLine(v1,v2)')
FreeCADGui.doCommand('obj=EM.makeFHSegment(base)')
FreeCAD.ActiveDocument.commitTransaction()
FreeCAD.ActiveDocument.recompute()
# might improve in the future with continue command
#if self.continueCmd:
# self.Activated()
if FreeCAD.GuiUp:
FreeCADGui.addCommand('EM_FHSegment',_CommandFHSegment())

232
EM_FHSolver.py Normal file
View File

@ -0,0 +1,232 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
__title__="FreeCAD E.M. Workbench FastHenry Solver Class"
__author__ = "FastFieldSolvers S.R.L."
__url__ = "http://www.fastfieldsolvers.com"
# defines
#
# copper conductivity 1/(m*Ohms)
EMFHSOLVER_DEF_SEGSIGMA = 5.8e7
# allowed .units
EMFHSOLVER_UNITS = ["km", "m", "cm", "mm", "um", "in", "mils"]
EMFHSOLVER_UNITS_VALS = [1e3, 1, 1e-2, 1e-3, 1e-6, 2.54e-2, 1e-3]
EMFHSOLVER_DEFUNITS = "mm"
EMFHSOLVER_DEFNHINC = 1
EMFHSOLVER_DEFNWINC = 1
EMFHSOLVER_DEFRW = 2
EMFHSOLVER_DEFRH = 2
EMFHSOLVER_DEFFMIN = 1
EMFHSOLVER_DEFFMAX = 1e9
EMFHSOLVER_DEFNDEC = 1
# default input file name
EMFHSOLVER_DEF_FILENAME = "fasthenry_input_file.inp"
import FreeCAD, FreeCADGui, Mesh, Part, MeshPart, Draft, DraftGeomUtils, os
import EM
from FreeCAD import Vector
if FreeCAD.GuiUp:
import FreeCADGui
from PySide import QtCore, QtGui
from DraftTools import translate
from PySide.QtCore import QT_TRANSLATE_NOOP
else:
# \cond
def translate(ctxt,txt, utf8_decode=False):
return txt
def QT_TRANSLATE_NOOP(ctxt,txt):
return txt
# \endcond
__dir__ = os.path.dirname(__file__)
iconPath = os.path.join( __dir__, 'Resources' )
def makeFHSolver(units=None,sigma=None,nhinc=None,nwinc=None,rh=None,rw=None,fmin=None,fmax=None,ndec=None,filename=None,name='FHSolver'):
'''Creates a FastHenry Solver object (all statements needed for the simulation)
Example:
TBD
'''
obj = FreeCAD.ActiveDocument.addObject("Part::FeaturePython", name)
obj.Label = translate("EM", name)
# this adds the relevant properties to the object
#'obj' (e.g. 'Base' property) making it a _FHSegment
_FHSolver(obj)
# manage ViewProvider object
if FreeCAD.GuiUp:
_ViewProviderFHSolver(obj.ViewObject)
# set base ViewObject properties to user-selected values (if any)
if units in EMFHSOLVER_UNITS:
obj.Units = units
else:
obj.Units = EMFHSOLVER_DEFUNITS
if sigma:
obj.Sigma = sigma
else:
# use default sigma, but scale it according to the chosen units of measurement
mylist = EMFHSOLVER_UNITS
unitindex = mylist.index('mm')
unitindex = EMFHSOLVER_UNITS.index("mm")
obj.Sigma = EMFHSOLVER_DEF_SEGSIGMA * EMFHSOLVER_UNITS_VALS[EMFHSOLVER_UNITS.index(obj.Units)]
if nhinc:
obj.nhinc = nhinc
else:
obj.nhinc = EMFHSOLVER_DEFNHINC
if nwinc:
obj.nwinc = nwinc
else:
obj.nwinc = EMFHSOLVER_DEFNWINC
if rh:
obj.rh = rh
else:
obj.rh = EMFHSOLVER_DEFRH
if rw:
obj.rw = rw
else:
obj.rw = EMFHSOLVER_DEFRW
if fmin:
obj.fmin = fmin
else:
obj.fmin = EMFHSOLVER_DEFFMIN
if fmax:
obj.fmax = rw
else:
obj.fmax = EMFHSOLVER_DEFFMAX
if ndec:
obj.ndec = ndec
else:
obj.ndec = EMFHSOLVER_DEFNDEC
if filename:
obj.Filename = filename
else:
obj.Filename = EMFHSOLVER_DEF_FILENAME
# return the newly created Python object
return obj
class _FHSolver:
'''The EM FastHenry Solver object'''
def __init__(self, obj):
''' Add properties '''
obj.addProperty("App::PropertyEnumeration","Units","EM",QT_TRANSLATE_NOOP("App::Property","The FastHenry '.units'"))
obj.addProperty("App::PropertyFloat","Sigma","EM",QT_TRANSLATE_NOOP("App::Property","Default Segment conductivity ('sigma' segment parameter in '.default')"))
obj.addProperty("App::PropertyInteger","nhinc","EM",QT_TRANSLATE_NOOP("App::Property","Default number of filaments in the height direction ('nhinc' segment parameter in '.default')"))
obj.addProperty("App::PropertyInteger","nwinc","EM",QT_TRANSLATE_NOOP("App::Property","Default number of filaments in the width direction ('nwinc' segment parameter in '.default')"))
obj.addProperty("App::PropertyInteger","rh","EM",QT_TRANSLATE_NOOP("App::Property","Default ratio of adjacent filaments in the height direction ('rh' segment parameter in '.default')"))
obj.addProperty("App::PropertyInteger","rw","EM",QT_TRANSLATE_NOOP("App::Property","Default ratio of adjacent filaments in the width direction ('rw' segment parameter in '.default')"))
obj.addProperty("App::PropertyFloat","fmin","EM",QT_TRANSLATE_NOOP("App::Property","Lowest simulation frequency ('fmin' parameter in '.freq')"))
obj.addProperty("App::PropertyFloat","fmax","EM",QT_TRANSLATE_NOOP("App::Property","Highest simulation frequency ('fmzx' parameter in '.freq')"))
obj.addProperty("App::PropertyFloat","ndec","EM",QT_TRANSLATE_NOOP("App::Property","Number of desired frequency points per decade ('ndec' parameter in '.freq')"))
obj.addProperty("App::PropertyFile","Filename","EM",QT_TRANSLATE_NOOP("App::Property","Simulation filename when exporting to FastHenry input file format"))
obj.Proxy = self
self.Type = "FHSolver"
obj.Units = EMFHSOLVER_UNITS
def execute(self, obj):
''' this method is mandatory. It is called on Document.recompute()
'''
# but nothing to do
return
def onChanged(self, obj, prop):
''' take action if an object property 'prop' changed
'''
#FreeCAD.Console.PrintWarning("\n_FHSolver onChanged(" + str(prop)+")\n") #debug
if not hasattr(self,"Object"):
# on restore, self.Object is not there anymore
self.Object = obj
def serialize(self,fid,headOrTail):
''' Serialize the object to the 'fid' file descriptor
'''
if headOrTail == "head":
fid.write("* FastHenry input file created using FreeCAD's ElectroMagnetic Workbench\n")
fid.write("* See http://www.freecad.org and http://www.fastfieldsolvers.com\n")
fid.write("\n")
fid.write(".units " + self.Object.Units + "\n")
fid.write("\n")
fid.write(".default sigma=" + str(self.Object.Sigma) + " nhinc=" + str(self.Object.nhinc) + " nwinc=" + str(self.Object.nwinc))
fid.write(" rh=" + str(self.Object.rh) + " rw=" + str(self.Object.rw) + "\n")
fid.write("\n")
else:
fid.write(".freq fmin=" + str(self.Object.fmin) + " fmax=" + str(self.Object.fmax) + " ndec=" + str(self.Object.ndec) + "\n")
fid.write("\n")
fid.write(".end\n")
class _ViewProviderFHSolver:
def __init__(self, obj):
''' Set this object to the proxy object of the actual view provider '''
obj.Proxy = self
self.Object = obj.Object
def attach(self, obj):
''' Setup the scene sub-graph of the view provider, this method is mandatory '''
return
def updateData(self, fp, prop):
''' Print the name of the property that has changed '''
#FreeCAD.Console.PrintMessage("ViewProvider updateData(), property: " + str(prop) + "\n")
''' If a property of the handled feature has changed we have the chance to handle this here '''
return
def getDefaultDisplayMode(self):
''' Return the name of the default display mode. It must be defined in getDisplayModes. '''
return "Flat Lines"
def onChanged(self, vp, prop):
''' Print the name of the property that has changed '''
#FreeCAD.Console.PrintMessage("ViewProvider onChanged(), property: " + str(prop) + "\n")
def getIcon(self):
''' Return the icon in XMP format which will appear in the tree view. This method is optional
and if not defined a default icon is shown.
'''
return os.path.join(iconPath, 'solver_icon.svg')
class _CommandFHSolver:
''' The EM FastHenry Solver command definition
'''
def GetResources(self):
return {'Pixmap' : os.path.join(iconPath, 'solver_icon.svg') ,
'MenuText': QT_TRANSLATE_NOOP("EM_FHSolver","FHSolver"),
'Accel': "E, X",
'ToolTip': QT_TRANSLATE_NOOP("EM_FHSolver","Creates a FastHenry Solver object")}
def IsActive(self):
return not FreeCAD.ActiveDocument is None
def Activated(self):
# init properties (future)
#self.Length = None
# preferences
#p = FreeCAD.ParamGet("User parameter:BaseApp/Preferences/Mod/EM")
#self.Width = p.GetFloat("Width",200)
FreeCAD.ActiveDocument.openTransaction(translate("EM","Create FHSolver"))
FreeCADGui.addModule("EM")
FreeCADGui.doCommand('obj=EM.makeFHSolver()')
FreeCAD.ActiveDocument.commitTransaction()
FreeCAD.ActiveDocument.recompute()
if FreeCAD.GuiUp:
FreeCADGui.addCommand('EM_FHSolver',_CommandFHSolver())

View File

@ -1,6 +1,6 @@
#***************************************************************************
#* *
#* Copyright (c) 2014 *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
@ -124,7 +124,7 @@ def export_mesh(filename, meshobj=None, isDiel=False, showNormals=False, folder=
fid.closed
def make_arrow(startpoint, endpoint):
'''create an arrow
'''Create an arrow
'startpoint' is a Vector specifying the start position
'endpoint' is a Vector specifying the end position
@ -146,8 +146,8 @@ def make_arrow(startpoint, endpoint):
return arrow
def export_faces(filename, isDiel=False, name="", showNormals=False, folder=DEF_FOLDER):
'''export faces in FasterCap format as conductor or dielectric interface
def export_faces(filename, isDiel=False, name="", showNormals=False, forceMesh=False, folder=DEF_FOLDER):
'''Export faces in FasterCap format as conductor or dielectric interface
The function operates on the selection. The selection can be a face, a compound or a solid.
'filename' is the name of the export file
@ -164,7 +164,7 @@ def export_faces(filename, isDiel=False, name="", showNormals=False, folder=DEF_
'''
# get selection
sel = FreeCADGui.Selection.getSelection()
# if no valid mesh was passed
# if no valid selection was passed
if sel == None:
return
@ -186,8 +186,12 @@ def export_faces(filename, isDiel=False, name="", showNormals=False, folder=DEF_
faces.extend(obj.Shape.Faces)
# scan faces and find out which faces have more than 4 vertexes
# TBD warning: should mesh also curve faces
facesComplex = [x for x in faces if len(x.Vertexes) >= 5]
facesSimple = [x for x in faces if len(x.Vertexes) < 5]
if forceMesh == False:
facesComplex = [x for x in faces if len(x.Vertexes) >= 5]
facesSimple = [x for x in faces if len(x.Vertexes) < 5]
else:
facesComplex = faces
facesSimple = []
# mesh complex faces
doc = FreeCAD.ActiveDocument
for face in facesComplex:
@ -197,7 +201,7 @@ def export_faces(filename, isDiel=False, name="", showNormals=False, folder=DEF_
# now we have faces and facets. Uniform all
panels = []
for face in facesSimple:
sortEdges = DraftGeomUtils.sortEdges(face.Edges)
sortEdges = Part.__sortEdges__(face.Edges)
# Point of a Vertex is a Vector, as well as Face.normalAt()
points = [x.Vertexes[0].Point for x in sortEdges]
panels.append( [points, face.normalAt(0,0)] )
@ -269,4 +273,3 @@ def export_faces(filename, isDiel=False, name="", showNormals=False, folder=DEF_
normalobj.Shape = normals

25
Init.py Normal file
View File

@ -0,0 +1,25 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
# add import/export types
FreeCAD.addExportType("FastHenry file format (*.inp)","exportFH")

75
InitGui.py Normal file
View File

@ -0,0 +1,75 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
__title__="FreeCAD E.M. Workbench GUI"
__author__ = "FastFieldSolvers S.R.L."
__url__ = "http://www.fastfieldsolvers.com"
class EMWorkbench(Workbench):
"E.M. workbench object"
def __init__(self):
self.__class__.Icon = FreeCAD.getUserAppDataDir()+ "Mod/EM/Resources/EMWorkbench.svg"
self.__class__.MenuText = "E.M."
self.__class__.ToolTip = "ElectroMagnetic workbench"
def Initialize(self):
import DraftTools,DraftGui
from DraftTools import translate
# import the EM module (and therefore all commands makeXXX)
import EM
# E.M. tools
self.emtools = ["EM_FHSolver", "EM_FHNode", "EM_FHSegment", "EM_FHPort", "EM_FHInputFile"]
def QT_TRANSLATE_NOOP(scope, text): return text
self.appendToolbar(QT_TRANSLATE_NOOP("Workbench","E.M. tools"),self.emtools)
self.appendMenu(QT_TRANSLATE_NOOP("EM","&EM"),self.emtools)
#FreeCADGui.addIconPath(":/icons")
#FreeCADGui.addLanguagePath(":/translations")
#FreeCADGui.addPreferencePage(":/ui/preferences-EM.ui","EM")
#FreeCADGui.addPreferencePage(":/ui/preferences-aEMdefaults.ui","EM")
Log ('Loading EM module... done\n')
def Activated(self):
Log("EM workbench activated\n")
def Deactivated(self):
Log("EM workbench deactivated\n")
# def ContextMenu(self, recipient):
# self.appendContextMenu("Utilities",self.EMcontexttools)
# needed if this is a pure Python workbench
def GetClassName(self):
return "Gui::PythonWorkbench"
FreeCADGui.addWorkbench(EMWorkbench)
# File format pref pages are independent and can be loaded at startup
#import EM_rc
#FreeCADGui.addPreferencePage(":/ui/preferences-inp.ui","Import-Export")

28
README.md Normal file
View File

@ -0,0 +1,28 @@
# ElectroMagnetic workbench for FreeCAD
Copyright (c) 2018
FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com
## Description
This project is dedicated to building an ElectroMagnetic workbench for [FreeCAD](https://www.freecadweb.org). FreeCAD is a free 3D parametric CAD.
FreeCAD is used as pre-processor interfacing to the electromagnetic field solvers.
At present, the workbench supports:
- [FastHenry](https://www.fastfieldsolvers.com/fasthenry2.htm) inductance solver: ongoing development including GUI support
- [FasterCap](https://www.fastfieldsolvers.com/fastercap.htm) capacitance solver: ongoing development, today at the stage of Python macro only, for creating an input file
## Installing
The ElectroMagnetic workbench is managed as a FreeCAD addon. This addon can be downloaded by clicking the **Download ZIP** button found on top of the page, or using **Git**. The addon must be placed in your user's FreeCAD/Mod folder.
**Note**: Your user's FreeCAD folder location is obtained by typing in FreeCAD's python console: `FreeCAD.ConfigGet("UserAppData")`
## Additional information
For any additional information please visit [FastFieldSolvers](https://www.fastfieldsolvers.com/), write on the [FastFieldSolvers Forum](https://www.fastfieldsolvers.com/forum) or on the [FreeCAD Forum](https://forum.freecadweb.org/viewforum.php?f=18) under the FEM topic.
See LICENCE.txt for the license conditions.
Access to the binary and source code download pages on [FastFieldSolvers](https://www.fastfieldsolvers.com/) is free, and you may access anonymously if you want.

View File

@ -1,13 +0,0 @@
=========================================
ElectroMagnetic workbench for FreeCAD
=========================================
Project for building an ElectroMagnetic workbench for FreeCAD. FreeCAD is a free 3D parametric CAD.
FreeCAD is used as pre-processor interfacing to the electromagnetic field solver.
At present, this is just a macro for creating an input file for the FasterCap capacitance solver by FastFieldSolvers S.R.L.
The macro must be loaded into FreeCAD, see www.freecadweb.org
For FasterCap and additional information please visit http://www.fastfieldsolvers.com/
Access to the download pages is free, and you may access anonymously if you want.

504
Resources/EMWorkbench.svg Normal file
View File

@ -0,0 +1,504 @@
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!-- Created with Inkscape (http://www.inkscape.org/) -->
<svg
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:cc="http://creativecommons.org/ns#"
xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
xmlns:svg="http://www.w3.org/2000/svg"
xmlns="http://www.w3.org/2000/svg"
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
width="64px"
height="64px"
id="svg2816"
version="1.1"
inkscape:version="0.91 r13725"
sodipodi:docname="EMWorkbench.svg">
<defs
id="defs2818">
<linearGradient
inkscape:collect="always"
id="linearGradient3789">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793" />
</linearGradient>
<linearGradient
inkscape:collect="always"
id="linearGradient3781">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785" />
</linearGradient>
<inkscape:perspective
sodipodi:type="inkscape:persp3d"
inkscape:vp_x="0 : 32 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_z="64 : 32 : 1"
inkscape:persp3d-origin="32 : 21.333333 : 1"
id="perspective2824" />
<inkscape:perspective
id="perspective3622"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3622-9"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3653"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3675"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3697"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3720"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3742"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3764"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3785"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3806"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3806-3"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3835"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781"
id="linearGradient3787"
x1="93.501396"
y1="-0.52792466"
x2="92.882462"
y2="-7.2011309"
gradientUnits="userSpaceOnUse" />
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789"
id="linearGradient3795"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711"
gradientUnits="userSpaceOnUse" />
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781-6"
id="linearGradient3804-3"
gradientUnits="userSpaceOnUse"
x1="93.501396"
y1="-0.52792466"
x2="92.882462"
y2="-7.2011309" />
<linearGradient
inkscape:collect="always"
id="linearGradient3781-6">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783-7" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785-5" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789-5"
id="linearGradient3806-3"
gradientUnits="userSpaceOnUse"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711" />
<linearGradient
inkscape:collect="always"
id="linearGradient3789-5">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791-6" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793-2" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781-0"
id="linearGradient3804-36"
gradientUnits="userSpaceOnUse"
x1="93.501396"
y1="-0.52792466"
x2="92.882462"
y2="-7.2011309" />
<linearGradient
inkscape:collect="always"
id="linearGradient3781-0">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783-6" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785-2" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789-1"
id="linearGradient3806-6"
gradientUnits="userSpaceOnUse"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711" />
<linearGradient
inkscape:collect="always"
id="linearGradient3789-1">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791-8" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793-7" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781-8"
id="linearGradient3804-2"
gradientUnits="userSpaceOnUse"
x1="93.501396"
y1="-0.52792466"
x2="92.814743"
y2="-5.3353744" />
<linearGradient
inkscape:collect="always"
id="linearGradient3781-8">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783-9" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785-7" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789-12"
id="linearGradient3806-36"
gradientUnits="userSpaceOnUse"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711" />
<linearGradient
inkscape:collect="always"
id="linearGradient3789-12">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791-9" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793-3" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781-03"
id="linearGradient3804-5"
gradientUnits="userSpaceOnUse"
x1="93.501396"
y1="-0.52792466"
x2="92.814743"
y2="-5.3353744" />
<linearGradient
inkscape:collect="always"
id="linearGradient3781-03">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783-61" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785-0" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789-2"
id="linearGradient3806-63"
gradientUnits="userSpaceOnUse"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711" />
<linearGradient
inkscape:collect="always"
id="linearGradient3789-2">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791-0" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793-6" />
</linearGradient>
<radialGradient
r="18.0625"
fy="41.625"
fx="25.1875"
cy="41.625"
cx="25.1875"
gradientTransform="matrix(1,0,0,0.32526,0,28.08607)"
gradientUnits="userSpaceOnUse"
id="radialGradient3169"
xlink:href="#linearGradient2269-0"
inkscape:collect="always" />
<linearGradient
inkscape:collect="always"
id="linearGradient2269-0">
<stop
offset="0"
id="stop2271-4"
style="stop-color:#000000;stop-opacity:1;" />
<stop
offset="1"
id="stop2273-87"
style="stop-color:#000000;stop-opacity:0;" />
</linearGradient>
</defs>
<sodipodi:namedview
id="base"
pagecolor="#ffffff"
bordercolor="#666666"
borderopacity="1.0"
inkscape:pageopacity="0.0"
inkscape:pageshadow="2"
inkscape:zoom="3.202329"
inkscape:cx="5.0308728"
inkscape:cy="13.531895"
inkscape:current-layer="layer1"
showgrid="true"
inkscape:document-units="px"
inkscape:grid-bbox="true"
inkscape:snap-bbox="true"
inkscape:bbox-paths="true"
inkscape:bbox-nodes="true"
inkscape:snap-bbox-edge-midpoints="true"
inkscape:snap-bbox-midpoints="true"
inkscape:object-paths="true"
inkscape:object-nodes="true"
inkscape:window-width="1920"
inkscape:window-height="1018"
inkscape:window-x="-8"
inkscape:window-y="-8"
inkscape:window-maximized="1"
inkscape:snap-global="false">
<inkscape:grid
type="xygrid"
id="grid3005"
empspacing="2"
visible="true"
enabled="true"
snapvisiblegridlinesonly="true" />
</sodipodi:namedview>
<metadata
id="metadata2821">
<rdf:RDF>
<cc:Work
rdf:about="">
<dc:format>image/svg+xml</dc:format>
<dc:type
rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
<dc:title></dc:title>
<dc:creator>
<cc:Agent>
<dc:title>[triplus]</dc:title>
</cc:Agent>
</dc:creator>
<dc:title>ArchWorkbench</dc:title>
<dc:date>2016-02-26</dc:date>
<dc:relation>http://www.freecadweb.org/wiki/index.php?title=Artwork</dc:relation>
<dc:publisher>
<cc:Agent>
<dc:title>FreeCAD</dc:title>
</cc:Agent>
</dc:publisher>
<dc:identifier>FreeCAD/src/Mod/Arch/Resources/icons/ArchWorkbench.svg</dc:identifier>
<dc:rights>
<cc:Agent>
<dc:title>FreeCAD LGPL2+</dc:title>
</cc:Agent>
</dc:rights>
<cc:license>https://www.gnu.org/copyleft/lesser.html</cc:license>
<dc:contributor>
<cc:Agent>
<dc:title>[agryson] Alexander Gryson</dc:title>
</cc:Agent>
</dc:contributor>
</cc:Work>
</rdf:RDF>
</metadata>
<g
id="layer1"
inkscape:label="Layer 1"
inkscape:groupmode="layer">
<ellipse
id="path2267"
style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:0.26704544;fill:#ff0000;fill-opacity:1;fill-rule:evenodd;stroke:none;stroke-width:1;marker:none"
cx="52.974087"
cy="9.9840927"
rx="29.531818"
ry="30" />
<ellipse
style="fill:none;stroke:#000000;stroke-width:2;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
id="path4241"
cx="52.110672"
cy="13.582512"
rx="10.012057"
ry="9.5120573" />
<ellipse
style="fill:none;stroke:#000000;stroke-width:2;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
id="path4241-9"
cx="13.05476"
cy="50.557724"
rx="10.012057"
ry="9.5120573" />
<text
xml:space="preserve"
style="font-style:normal;font-weight:normal;font-size:24.01706505px;line-height:125%;font-family:sans-serif;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1"
x="6.3804178"
y="65.987656"
id="text4264"
sodipodi:linespacing="125%"
transform="scale(1.1714501,0.85364284)"><tspan
sodipodi:role="line"
id="tspan4266"
x="6.3804178"
y="65.987656">-</tspan></text>
<text
xml:space="preserve"
style="font-style:normal;font-weight:normal;font-size:15.96259308px;line-height:125%;font-family:sans-serif;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
x="45.603695"
y="18.735056"
id="text4286"
sodipodi:linespacing="125%"
transform="scale(1.0007797,0.9992209)"><tspan
sodipodi:role="line"
id="tspan4288"
x="45.603695"
y="18.735056">+</tspan></text>
<path
style="fill:none;fill-rule:evenodd;stroke:#000000;stroke-width:2.21308851;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="M 1.0120765,1.3086335 62.691559,62.987731"
id="path4290"
inkscape:connector-curvature="0" />
<path
style="fill:none;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="m 0,21.843182 c 9.0853592,1.81824 19.091364,6.956774 26.230909,15.925909 5.360999,5.621163 10.513182,16.446364 13.427727,25.606364"
id="path4292"
inkscape:connector-curvature="0"
sodipodi:nodetypes="ccc" />
<path
style="fill:none;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="M 23.954934,0.73836894 C 26.869479,9.8983689 32.021662,20.72357 37.382661,26.344733 44.522206,35.313868 54.52821,40.452402 63.61357,42.270642"
id="path4292-5"
inkscape:connector-curvature="0"
sodipodi:nodetypes="ccc" />
<path
style="fill:none;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="M 0.09006459,33.579813 C 9.79997,33.212144 19.493701,36.164769 23.822792,41.074358 c 4.300328,4.475196 6.901754,13.812338 6.245455,22.483637"
id="path4292-7"
inkscape:connector-curvature="0"
sodipodi:nodetypes="ccc" />
<path
style="fill:none;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
d="M 64.236919,30.426805 C 54.527014,30.794474 43.271918,25.968213 40.504191,22.93226 36.077041,18.330242 33.613268,9.1307532 34.258736,0.44862291"
id="path4292-7-9"
inkscape:connector-curvature="0"
sodipodi:nodetypes="ccc" />
<ellipse
id="path2267-3"
style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:0.26704544;fill:#000080;fill-opacity:1;fill-rule:evenodd;stroke:none;stroke-width:1;marker:none"
cx="9.2120543"
cy="53.382725"
rx="31.249319"
ry="30.312273" />
</g>
</svg>

After

Width:  |  Height:  |  Size: 17 KiB

View File

@ -0,0 +1,216 @@
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!-- Created with Inkscape (http://www.inkscape.org/) -->
<svg
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:cc="http://creativecommons.org/ns#"
xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
xmlns:svg="http://www.w3.org/2000/svg"
xmlns="http://www.w3.org/2000/svg"
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
width="64"
height="64"
id="svg2"
version="1.1"
inkscape:version="0.48.5 r10040"
sodipodi:docname="Std_WindowNext.svg"
viewBox="0 0 64 64">
<defs
id="defs4">
<linearGradient
id="linearGradient3138">
<stop
id="stop3140"
offset="0"
style="stop-color:#34e0e2;stop-opacity:1" />
<stop
id="stop3142"
offset="1"
style="stop-color:#06989a;stop-opacity:1" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3842-62"
id="linearGradient3039-0"
gradientUnits="userSpaceOnUse"
gradientTransform="matrix(1.4166667,0,0,0.75000005,14.416666,1024.6122)"
x1="49"
y1="16"
x2="48"
y2="4" />
<linearGradient
inkscape:collect="always"
id="linearGradient3842-62">
<stop
style="stop-color:#204a87;stop-opacity:1"
offset="0"
id="stop3844-61" />
<stop
style="stop-color:#729fcf;stop-opacity:1"
offset="1"
id="stop3846-8" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3830-9"
id="linearGradient3041-7"
gradientUnits="userSpaceOnUse"
gradientTransform="matrix(1.625,0,0,0.28571424,4.625,1034.6479)"
x1="44.53846"
y1="65.5"
x2="43"
y2="14" />
<linearGradient
inkscape:collect="always"
id="linearGradient3830-9">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3832-20" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3834-23" />
</linearGradient>
<linearGradient
y2="43.559998"
x2="41.689651"
y1="21.799999"
x1="35.482758"
gradientTransform="matrix(1.4500001,0,0,1.4705882,-27.45,-31.058821)"
gradientUnits="userSpaceOnUse"
id="linearGradient3012"
xlink:href="#linearGradient3895"
inkscape:collect="always" />
<linearGradient
id="linearGradient3895">
<stop
style="stop-color:#729fcf;stop-opacity:1;"
offset="0"
id="stop3897" />
<stop
style="stop-color:#204a87;stop-opacity:1;"
offset="1"
id="stop3899" />
</linearGradient>
<linearGradient
y2="43.559998"
x2="41.689651"
y1="21.799999"
x1="35.482758"
gradientTransform="matrix(1.4500001,0,0,1.4705882,-27.45,983.3034)"
gradientUnits="userSpaceOnUse"
id="linearGradient3087"
xlink:href="#linearGradient3138"
inkscape:collect="always" />
</defs>
<sodipodi:namedview
id="base"
pagecolor="#ffffff"
bordercolor="#666666"
borderopacity="1.0"
inkscape:pageopacity="0.0"
inkscape:pageshadow="2"
inkscape:zoom="3.09375"
inkscape:cx="17.964079"
inkscape:cy="63.785593"
inkscape:document-units="px"
inkscape:current-layer="layer1"
showgrid="true"
inkscape:window-width="1598"
inkscape:window-height="836"
inkscape:window-x="0"
inkscape:window-y="27"
inkscape:window-maximized="0"
inkscape:snap-global="true"
borderlayer="true">
<inkscape:grid
type="xygrid"
id="grid11622"
empspacing="2"
visible="true"
enabled="true"
snapvisiblegridlinesonly="true" />
</sodipodi:namedview>
<metadata
id="metadata7">
<rdf:RDF>
<cc:Work
rdf:about="">
<dc:format>image/svg+xml</dc:format>
<dc:type
rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
<dc:title />
</cc:Work>
</rdf:RDF>
</metadata>
<g
inkscape:label="Layer 1"
inkscape:groupmode="layer"
id="layer1"
transform="translate(0,-988.36218)">
<g
transform="translate(-59,-31.000003)"
id="g3054-7">
<rect
style="fill:none;stroke:#204a87;stroke-width:6.00000048;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:6"
id="rect3020-5"
width="44"
height="30"
x="64"
y="1028.3622" />
<rect
style="fill:none;stroke:#729fcf;stroke-width:1.99999976;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:6"
id="rect3020-6-9"
width="44"
height="30"
x="64"
y="1028.3622" />
<rect
style="fill:url(#linearGradient3039-0);fill-opacity:1;stroke:#729fcf;stroke-width:2;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:6"
id="rect3826-2"
width="44"
height="6.0000005"
x="64"
y="1028.3622" />
<rect
style="fill:url(#linearGradient3041-7);fill-opacity:1;stroke:#ffffff;stroke-width:1.99999963999999997;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;stroke-dashoffset:6"
id="rect3828-2"
width="36"
height="16"
x="68"
y="1038.3622" />
<path
style="fill:none;stroke:#204a87;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1"
d="m 65,1036.3622 41,0"
id="path3838-8"
inkscape:connector-curvature="0"
sodipodi:nodetypes="cc" />
<path
style="fill:none;stroke:#ffffff;stroke-width:4;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1"
d="m 65,1031.3622 8,0"
id="path3840-9"
inkscape:connector-curvature="0" />
</g>
<path
inkscape:connector-curvature="0"
style="fill:url(#linearGradient3087);fill-opacity:1;fill-rule:evenodd;stroke:#042a2a;stroke-width:1.99999988;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;display:inline"
d="m 37,1011.3622 0,12 -22,0 0,14 22,0 0,12 24,-19 z"
id="path3343"
sodipodi:nodetypes="cccccccc"
inkscape:export-filename="/home/yorik/Documents/Lab/Draft/icons/changeprop.png"
inkscape:export-xdpi="4.1683898"
inkscape:export-ydpi="4.1683898" />
<path
inkscape:connector-curvature="0"
style="fill:none;stroke:#34e0e2;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;display:inline"
d="m 39,1015.4831 0,9.8791 -22,0 0,10 22,0 0,9.945 18.999994,-14.773 z"
id="path3343-2"
sodipodi:nodetypes="cccccccc"
inkscape:export-filename="/home/yorik/Documents/Lab/Draft/icons/changeprop.png"
inkscape:export-xdpi="4.1683898"
inkscape:export-ydpi="4.1683898" />
</g>
</svg>

After

Width:  |  Height:  |  Size: 7.3 KiB

73
Resources/node_icon.svg Normal file
View File

@ -0,0 +1,73 @@
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!-- Created with Inkscape (http://www.inkscape.org/) -->
<svg xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:cc="http://creativecommons.org/ns#" xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#" xmlns:svg="http://www.w3.org/2000/svg" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd" xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape" width="64px" height="64px" id="svg2726" sodipodi:version="0.32" inkscape:version="0.48.5 r10040" sodipodi:docname="Sketcher_CreatePoint.svg" inkscape:output_extension="org.inkscape.output.svg.inkscape" version="1.1" inkscape:export-filename="/home/yorik/Sources/FreeCAD/src/Mod/Sketcher/Gui/Resources/icons/Sketcher_CreatePoint.svg.png" inkscape:export-xdpi="45" inkscape:export-ydpi="45">
<defs id="defs2728">
<linearGradient inkscape:collect="always" id="linearGradient3144">
<stop style="stop-color:#ffffff;stop-opacity:1;" offset="0" id="stop3146"/>
<stop style="stop-color:#ffffff;stop-opacity:0;" offset="1" id="stop3148"/>
</linearGradient>
<inkscape:perspective sodipodi:type="inkscape:persp3d" inkscape:vp_x="0 : 32 : 1" inkscape:vp_y="0 : 1000 : 0" inkscape:vp_z="64 : 32 : 1" inkscape:persp3d-origin="32 : 21.333333 : 1" id="perspective2734"/>
<radialGradient inkscape:collect="always" xlink:href="#linearGradient3144" id="radialGradient3850" gradientUnits="userSpaceOnUse" gradientTransform="matrix(1,0,0,0.6985294,0,202.82863)" cx="225.26402" cy="672.79736" fx="225.26402" fy="672.79736" r="34.345188"/>
<radialGradient inkscape:collect="always" xlink:href="#linearGradient3144-3" id="radialGradient3850-4" gradientUnits="userSpaceOnUse" gradientTransform="matrix(1,0,0,0.6985294,0,202.82863)" cx="225.26402" cy="672.79736" fx="225.26402" fy="672.79736" r="34.345188"/>
<linearGradient inkscape:collect="always" id="linearGradient3144-3">
<stop style="stop-color:#ffffff;stop-opacity:1;" offset="0" id="stop3146-7"/>
<stop style="stop-color:#ffffff;stop-opacity:0;" offset="1" id="stop3148-1"/>
</linearGradient>
<radialGradient r="34.345188" fy="672.79736" fx="225.26402" cy="672.79736" cx="225.26402" gradientTransform="matrix(1,0,0,0.6985294,0,202.82863)" gradientUnits="userSpaceOnUse" id="radialGradient3888" xlink:href="#linearGradient3144-3" inkscape:collect="always"/>
<radialGradient inkscape:collect="always" xlink:href="#linearGradient3144" id="radialGradient3767" gradientUnits="userSpaceOnUse" gradientTransform="matrix(1,0,0,0.6985294,0,202.82863)" cx="225.26402" cy="672.79736" fx="225.26402" fy="672.79736" r="34.345188"/>
<linearGradient inkscape:collect="always" xlink:href="#linearGradient3836" id="linearGradient3922" gradientUnits="userSpaceOnUse" gradientTransform="matrix(1.1733561,0.02175327,0.02175328,1.1801291,55.592501,-17.013229)" x1="11.390151" y1="453.55045" x2="54.509644" y2="485.54004"/>
<linearGradient id="linearGradient3836">
<stop style="stop-color:#a40000;stop-opacity:1" offset="0" id="stop3838"/>
<stop style="stop-color:#ef2929;stop-opacity:1" offset="1" id="stop3840"/>
</linearGradient>
</defs>
<sodipodi:namedview id="base" pagecolor="#ffffff" bordercolor="#666666" borderopacity="1.0" inkscape:pageopacity="0.0" inkscape:pageshadow="2" inkscape:zoom="28.832031" inkscape:cx="29.022284" inkscape:cy="36.345143" inkscape:current-layer="g3906" showgrid="true" inkscape:document-units="px" inkscape:grid-bbox="true" inkscape:window-width="1600" inkscape:window-height="837" inkscape:window-x="0" inkscape:window-y="27" inkscape:window-maximized="1" inkscape:snap-bbox="true" inkscape:snap-nodes="false">
<inkscape:grid type="xygrid" id="grid2997" empspacing="2" visible="true" enabled="true" snapvisiblegridlinesonly="true"/>
</sodipodi:namedview>
<metadata id="metadata2731">
<rdf:RDF>
<cc:Work rdf:about="">
<dc:format>image/svg+xml</dc:format>
<dc:type rdf:resource="http://purl.org/dc/dcmitype/StillImage"/>
<dc:title/>
<dc:creator>
<cc:Agent>
<dc:title>[wmayer]</dc:title>
</cc:Agent>
</dc:creator>
<dc:title>Sketcher_CreatePoint</dc:title>
<dc:date>2011-10-10</dc:date>
<dc:relation>http://www.freecadweb.org/wiki/index.php?title=Artwork</dc:relation>
<dc:publisher>
<cc:Agent>
<dc:title>FreeCAD</dc:title>
</cc:Agent>
</dc:publisher>
<dc:identifier>FreeCAD/src/Mod/Sketcher/Gui/Resources/icons/Sketcher_CreatePoint.svg</dc:identifier>
<dc:rights>
<cc:Agent>
<dc:title>FreeCAD LGPL2+</dc:title>
</cc:Agent>
</dc:rights>
<cc:license>https://www.gnu.org/copyleft/lesser.html</cc:license>
<dc:contributor>
<cc:Agent>
<dc:title>[agryson] Alexander Gryson</dc:title>
</cc:Agent>
</dc:contributor>
</cc:Work>
</rdf:RDF>
</metadata>
<g id="layer1" inkscape:label="Layer 1" inkscape:groupmode="layer">
<g id="g4289" transform="matrix(0.1621282,0,0,0.1621282,6.3605986,-66.108806)">
<g style="stroke:#3465a4;stroke-width:0.97375208" id="g4312" transform="matrix(12.667234,0.1943747,-0.1943834,12.666657,-1553.0403,-2583.642)">
<g style="stroke:#3465a4;stroke-width:6.49510956" transform="matrix(-0.1153544,-0.09575809,0.09575809,-0.1153544,98.667777,319.83687)" id="g4248">
<g transform="translate(-3.7314339,-3.2817175)" id="g3906" style="stroke-width:6.49510956">
<path inkscape:connector-curvature="0" style="fill:#3465a4;fill-opacity:1;stroke:#280000;stroke-width:6.49510956000000039;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" id="path4250" d="m 145.08885,535.18229 a 48.571431,48.571431 0 1 1 -97.142854,0 48.571431,48.571431 0 1 1 97.142854,0 z"/>
<path inkscape:connector-curvature="0" style="fill:url(#linearGradient3922);fill-opacity:1;stroke:#ef2929;stroke-width:6.49510956000000039;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none" id="path4250-7" d="m 138.55997,535.14385 a 42.216398,42.21834 49.289969 1 1 -84.435028,0.002 42.216398,42.21834 49.289969 0 1 84.435028,-0.002 z"/>
</g>
</g>
</g>
</g>
</g>
</svg>

After

Width:  |  Height:  |  Size: 6.2 KiB

192
Resources/port_icon.svg Normal file
View File

@ -0,0 +1,192 @@
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!-- Created with Inkscape (http://www.inkscape.org/) -->
<svg
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:cc="http://creativecommons.org/ns#"
xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
xmlns:svg="http://www.w3.org/2000/svg"
xmlns="http://www.w3.org/2000/svg"
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
width="64px"
height="64px"
id="svg3074"
sodipodi:version="0.32"
inkscape:version="0.48.5 r10040"
sodipodi:docname="Draft_Upgrade.svg"
inkscape:output_extension="org.inkscape.output.svg.inkscape"
version="1.1">
<defs
id="defs3076">
<linearGradient
id="linearGradient3841">
<stop
style="stop-color:#0619c0;stop-opacity:1;"
offset="0"
id="stop3843" />
<stop
style="stop-color:#379cfb;stop-opacity:1;"
offset="1"
id="stop3845" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3841"
id="linearGradient3863"
gradientUnits="userSpaceOnUse"
x1="3709.3296"
y1="1286.7291"
x2="3935.5251"
y2="1076.6174" />
<inkscape:perspective
sodipodi:type="inkscape:persp3d"
inkscape:vp_x="0 : 32 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_z="64 : 32 : 1"
inkscape:persp3d-origin="32 : 21.333333 : 1"
id="perspective3082" />
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3895"
id="linearGradient3909"
x1="43"
y1="22"
x2="48"
y2="44"
gradientUnits="userSpaceOnUse" />
<linearGradient
id="linearGradient3895">
<stop
style="stop-color:#729fcf;stop-opacity:1;"
offset="0"
id="stop3897" />
<stop
style="stop-color:#204a87;stop-opacity:1;"
offset="1"
id="stop3899" />
</linearGradient>
<linearGradient
gradientTransform="matrix(0,-1.4500001,1.4705882,0,-15.05882,91.45)"
y2="36.079998"
x2="21.689653"
y1="29.279999"
x1="56.172409"
gradientUnits="userSpaceOnUse"
id="linearGradient3036"
xlink:href="#linearGradient3895"
inkscape:collect="always" />
</defs>
<sodipodi:namedview
id="base"
pagecolor="#ffffff"
bordercolor="#666666"
borderopacity="1.0"
inkscape:pageopacity="0.0"
inkscape:pageshadow="2"
inkscape:zoom="8.753976"
inkscape:cx="12.184978"
inkscape:cy="30.864199"
inkscape:current-layer="layer1"
showgrid="true"
inkscape:document-units="px"
inkscape:grid-bbox="true"
inkscape:window-width="1600"
inkscape:window-height="837"
inkscape:window-x="0"
inkscape:window-y="27"
inkscape:snap-bbox="false"
inkscape:snap-nodes="true"
inkscape:window-maximized="1">
<inkscape:grid
type="xygrid"
id="grid3038"
units="px"
empspacing="2"
visible="true"
enabled="true"
snapvisiblegridlinesonly="true"
spacingx="1px"
spacingy="1px" />
<inkscape:grid
type="xygrid"
id="grid3040"
units="px"
empspacing="2"
visible="true"
enabled="true"
snapvisiblegridlinesonly="true"
spacingx="16px"
spacingy="16px"
empcolor="#ff0000"
empopacity="0.25098039" />
</sodipodi:namedview>
<g
id="layer1"
inkscape:label="Layer 1"
inkscape:groupmode="layer">
<path
inkscape:connector-curvature="0"
style="fill:url(#linearGradient3036);fill-opacity:1;fill-rule:evenodd;stroke:#0b1521;stroke-width:1.99999988000000006;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none"
d="M 7.0000006,29.1 21.000001,29 l 0,32 22,0 0,-32 L 57,29.1 32,3 z"
id="path3343"
sodipodi:nodetypes="cccccccc"
inkscape:export-filename="/home/yorik/Documents/Lab/Draft/icons/changeprop.png"
inkscape:export-xdpi="4.1683898"
inkscape:export-ydpi="4.1683898" />
<path
inkscape:connector-curvature="0"
style="fill:none;stroke:#729fcf;stroke-width:2;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none"
d="m 12.000001,27 11,0 0,32 18,0 0,-32 11,0 L 32.172062,6.000006 z"
id="path3343-2"
sodipodi:nodetypes="cccccccc"
inkscape:export-filename="/home/yorik/Documents/Lab/Draft/icons/changeprop.png"
inkscape:export-xdpi="4.1683898"
inkscape:export-ydpi="4.1683898" />
</g>
<metadata
id="metadata5801">
<rdf:RDF>
<cc:Work
rdf:about="">
<dc:format>image/svg+xml</dc:format>
<dc:type
rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
<dc:title>Draft_Upgrade</dc:title>
<cc:license
rdf:resource="" />
<dc:date>Mon Oct 10 13:44:52 2011 +0000</dc:date>
<dc:creator>
<cc:Agent>
<dc:title>[wmayer]</dc:title>
</cc:Agent>
</dc:creator>
<dc:rights>
<cc:Agent>
<dc:title>FreeCAD LGPL2+</dc:title>
</cc:Agent>
</dc:rights>
<dc:publisher>
<cc:Agent>
<dc:title>FreeCAD</dc:title>
</cc:Agent>
</dc:publisher>
<dc:identifier>FreeCAD/src/Mod/Draft/Resources/icons/Draft_Upgrade.svg</dc:identifier>
<dc:relation>http://www.freecadweb.org/wiki/index.php?title=Artwork</dc:relation>
<dc:contributor>
<cc:Agent>
<dc:title>[agryson] Alexander Gryson</dc:title>
</cc:Agent>
</dc:contributor>
<dc:subject>
<rdf:Bag>
<rdf:li>arrow</rdf:li>
<rdf:li>up</rdf:li>
</rdf:Bag>
</dc:subject>
<dc:description>A large blue arrow pointing upwards</dc:description>
</cc:Work>
</rdf:RDF>
</metadata>
</svg>

After

Width:  |  Height:  |  Size: 6.2 KiB

479
Resources/segment_icon.svg Normal file
View File

@ -0,0 +1,479 @@
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!-- Created with Inkscape (http://www.inkscape.org/) -->
<svg
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:cc="http://creativecommons.org/ns#"
xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
xmlns:svg="http://www.w3.org/2000/svg"
xmlns="http://www.w3.org/2000/svg"
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
width="64px"
height="64px"
id="svg2816"
version="1.1"
inkscape:version="0.91 r13725"
sodipodi:docname="segment_icon.svg">
<defs
id="defs2818">
<linearGradient
inkscape:collect="always"
id="linearGradient3789">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793" />
</linearGradient>
<linearGradient
inkscape:collect="always"
id="linearGradient3781">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785" />
</linearGradient>
<inkscape:perspective
sodipodi:type="inkscape:persp3d"
inkscape:vp_x="-441.94317 : 279.20114 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_z="484.34212 : 327.67408 : 1"
inkscape:persp3d-origin="27.804607 : 23.541435 : 1"
id="perspective2824" />
<inkscape:perspective
id="perspective3622"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3622-9"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3653"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3675"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3697"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3720"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3742"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3764"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3785"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3806"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3806-3"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<inkscape:perspective
id="perspective3835"
inkscape:persp3d-origin="0.5 : 0.33333333 : 1"
inkscape:vp_z="1 : 0.5 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_x="0 : 0.5 : 1"
sodipodi:type="inkscape:persp3d" />
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781"
id="linearGradient3787"
x1="93.501396"
y1="-0.52792466"
x2="92.882462"
y2="-7.2011309"
gradientUnits="userSpaceOnUse" />
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789"
id="linearGradient3795"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711"
gradientUnits="userSpaceOnUse" />
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781-6"
id="linearGradient3804-3"
gradientUnits="userSpaceOnUse"
x1="93.501396"
y1="-0.52792466"
x2="92.882462"
y2="-7.2011309" />
<linearGradient
inkscape:collect="always"
id="linearGradient3781-6">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783-7" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785-5" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789-5"
id="linearGradient3806-3"
gradientUnits="userSpaceOnUse"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711" />
<linearGradient
inkscape:collect="always"
id="linearGradient3789-5">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791-6" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793-2" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781-0"
id="linearGradient3804-36"
gradientUnits="userSpaceOnUse"
x1="93.501396"
y1="-0.52792466"
x2="92.882462"
y2="-7.2011309" />
<linearGradient
inkscape:collect="always"
id="linearGradient3781-0">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783-6" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785-2" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789-1"
id="linearGradient3806-6"
gradientUnits="userSpaceOnUse"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711" />
<linearGradient
inkscape:collect="always"
id="linearGradient3789-1">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791-8" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793-7" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781-8"
id="linearGradient3804-2"
gradientUnits="userSpaceOnUse"
x1="93.501396"
y1="-0.52792466"
x2="92.814743"
y2="-5.3353744" />
<linearGradient
inkscape:collect="always"
id="linearGradient3781-8">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783-9" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785-7" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789-12"
id="linearGradient3806-36"
gradientUnits="userSpaceOnUse"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711" />
<linearGradient
inkscape:collect="always"
id="linearGradient3789-12">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791-9" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793-3" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3781-03"
id="linearGradient3804-5"
gradientUnits="userSpaceOnUse"
x1="93.501396"
y1="-0.52792466"
x2="92.814743"
y2="-5.3353744" />
<linearGradient
inkscape:collect="always"
id="linearGradient3781-03">
<stop
style="stop-color:#d3d7cf;stop-opacity:1;"
offset="0"
id="stop3783-61" />
<stop
style="stop-color:#ffffff;stop-opacity:1"
offset="1"
id="stop3785-0" />
</linearGradient>
<linearGradient
inkscape:collect="always"
xlink:href="#linearGradient3789-2"
id="linearGradient3806-63"
gradientUnits="userSpaceOnUse"
x1="140.23918"
y1="124.16501"
x2="137.60997"
y2="117.06711" />
<linearGradient
inkscape:collect="always"
id="linearGradient3789-2">
<stop
style="stop-color:#888a85;stop-opacity:1;"
offset="0"
id="stop3791-0" />
<stop
style="stop-color:#d3d7cf;stop-opacity:1"
offset="1"
id="stop3793-6" />
</linearGradient>
<radialGradient
r="18.0625"
fy="41.625"
fx="25.1875"
cy="41.625"
cx="25.1875"
gradientTransform="matrix(1,0,0,0.32526,0,28.08607)"
gradientUnits="userSpaceOnUse"
id="radialGradient3169"
xlink:href="#linearGradient2269-0"
inkscape:collect="always" />
<linearGradient
inkscape:collect="always"
id="linearGradient2269-0">
<stop
offset="0"
id="stop2271-4"
style="stop-color:#000000;stop-opacity:1;" />
<stop
offset="1"
id="stop2273-87"
style="stop-color:#000000;stop-opacity:0;" />
</linearGradient>
</defs>
<sodipodi:namedview
id="base"
pagecolor="#ffffff"
bordercolor="#666666"
borderopacity="1.0"
inkscape:pageopacity="0.0"
inkscape:pageshadow="2"
inkscape:zoom="4.5287771"
inkscape:cx="46.063406"
inkscape:cy="22.064998"
inkscape:current-layer="layer1"
showgrid="true"
inkscape:document-units="px"
inkscape:grid-bbox="true"
inkscape:snap-bbox="true"
inkscape:bbox-paths="true"
inkscape:bbox-nodes="true"
inkscape:snap-bbox-edge-midpoints="true"
inkscape:snap-bbox-midpoints="true"
inkscape:object-paths="true"
inkscape:object-nodes="true"
inkscape:window-width="1920"
inkscape:window-height="1018"
inkscape:window-x="-8"
inkscape:window-y="-8"
inkscape:window-maximized="1"
inkscape:snap-global="false">
<inkscape:grid
type="xygrid"
id="grid3005"
empspacing="2"
visible="true"
enabled="true"
snapvisiblegridlinesonly="true" />
</sodipodi:namedview>
<metadata
id="metadata2821">
<rdf:RDF>
<cc:Work
rdf:about="">
<dc:format>image/svg+xml</dc:format>
<dc:type
rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
<dc:title />
<dc:creator>
<cc:Agent>
<dc:title>[triplus]</dc:title>
</cc:Agent>
</dc:creator>
<dc:title>ArchWorkbench</dc:title>
<dc:date>2016-02-26</dc:date>
<dc:relation>http://www.freecadweb.org/wiki/index.php?title=Artwork</dc:relation>
<dc:publisher>
<cc:Agent>
<dc:title>FreeCAD</dc:title>
</cc:Agent>
</dc:publisher>
<dc:identifier>FreeCAD/src/Mod/Arch/Resources/icons/ArchWorkbench.svg</dc:identifier>
<dc:rights>
<cc:Agent>
<dc:title>FreeCAD LGPL2+</dc:title>
</cc:Agent>
</dc:rights>
<cc:license>https://www.gnu.org/copyleft/lesser.html</cc:license>
<dc:contributor>
<cc:Agent>
<dc:title>[agryson] Alexander Gryson</dc:title>
</cc:Agent>
</dc:contributor>
</cc:Work>
</rdf:RDF>
</metadata>
<g
id="layer1"
inkscape:label="Layer 1"
inkscape:groupmode="layer">
<g
sodipodi:type="inkscape:box3d"
id="g4206"
style="fill:#d9c6c0;fill-opacity:1;stroke:#000000;stroke-width:2;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
inkscape:perspectiveID="#perspective2824"
inkscape:corner0="0.036480552 : 0.0053349794 : 0 : 1"
inkscape:corner7="0.0043040016 : -0.011405403 : 0.061115991 : 1">
<path
sodipodi:type="inkscape:box3dside"
id="path4216"
style="fill:#d9c6c0;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-opacity:1;stroke-miterlimit:4;stroke-dasharray:none;fill-opacity:1"
inkscape:box3dsidetype="13"
d="M 11.2711,42.464194 25.791476,50.719445 52.095448,32.6848 37.612477,25.417909 Z"
points="25.791476,50.719445 52.095448,32.6848 37.612477,25.417909 11.2711,42.464194 " />
<path
sodipodi:type="inkscape:box3dside"
id="path4208"
style="fill:#d9c6c0;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-opacity:1;stroke-miterlimit:4;stroke-dasharray:none;fill-opacity:1"
inkscape:box3dsidetype="6"
d="m 11.2711,26.313016 0,16.151178 26.341377,-17.046285 0,-15.251854 z"
points="11.2711,42.464194 37.612477,25.417909 37.612477,10.166055 11.2711,26.313016 " />
<path
sodipodi:type="inkscape:box3dside"
id="path4218"
style="fill:#d9c6c0;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-opacity:1;stroke-miterlimit:4;stroke-dasharray:none;fill-opacity:1"
inkscape:box3dsidetype="11"
d="m 37.612477,10.166055 14.482971,6.806272 0,15.712473 -14.482971,-7.266891 z"
points="52.095448,16.972327 52.095448,32.6848 37.612477,25.417909 37.612477,10.166055 " />
<path
sodipodi:type="inkscape:box3dside"
id="path4210"
style="fill:#d9c6c0;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-opacity:1;stroke-miterlimit:4;stroke-dasharray:none;fill-opacity:1"
inkscape:box3dsidetype="5"
d="M 11.2711,26.313016 25.791476,34.050805 52.095448,16.972327 37.612477,10.166055 Z"
points="25.791476,34.050805 52.095448,16.972327 37.612477,10.166055 11.2711,26.313016 " />
<path
sodipodi:type="inkscape:box3dside"
id="path4214"
style="fill:#d9c6c0;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-opacity:1;stroke-miterlimit:4;stroke-dasharray:none;fill-opacity:1"
inkscape:box3dsidetype="14"
d="m 25.791476,34.050805 0,16.66864 26.303972,-18.034645 0,-15.712473 z"
points="25.791476,50.719445 52.095448,32.6848 52.095448,16.972327 25.791476,34.050805 " />
<path
sodipodi:type="inkscape:box3dside"
id="path4212"
style="fill:#d9c6c0;fill-rule:evenodd;stroke:#000000;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-opacity:1;stroke-miterlimit:4;stroke-dasharray:none;fill-opacity:1"
inkscape:box3dsidetype="3"
d="m 11.2711,26.313016 14.520376,7.737789 0,16.66864 L 11.2711,42.464194 Z"
points="25.791476,34.050805 25.791476,50.719445 11.2711,42.464194 11.2711,26.313016 " />
</g>
<circle
style="fill:#ff3d00;fill-opacity:1;stroke:#ff0000;stroke-width:2;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
id="path5776"
cx="18.106434"
cy="38.386021"
r="1.5456711" />
</g>
</svg>

After

Width:  |  Height:  |  Size: 16 KiB

121
Resources/solver_icon.svg Normal file
View File

@ -0,0 +1,121 @@
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<!-- Created with Inkscape (http://www.inkscape.org/) -->
<svg
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:cc="http://creativecommons.org/ns#"
xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
xmlns:svg="http://www.w3.org/2000/svg"
xmlns="http://www.w3.org/2000/svg"
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
width="64px"
height="64px"
id="svg2860"
sodipodi:version="0.32"
inkscape:version="0.48.4 r9939"
sodipodi:docname="fem-analysis.svg"
inkscape:output_extension="org.inkscape.output.svg.inkscape"
version="1.1">
<defs
id="defs2862">
<radialGradient
inkscape:collect="always"
xlink:href="#linearGradient3377"
id="radialGradient3692"
cx="45.883327"
cy="28.869568"
fx="45.883327"
fy="28.869568"
r="19.467436"
gradientUnits="userSpaceOnUse" />
<radialGradient
inkscape:collect="always"
xlink:href="#linearGradient3377"
id="radialGradient3703"
gradientUnits="userSpaceOnUse"
cx="135.38333"
cy="97.369568"
fx="135.38333"
fy="97.369568"
r="19.467436"
gradientTransform="matrix(0.97435,0.2250379,-0.4623105,2.0016728,48.487554,-127.99883)" />
<linearGradient
id="linearGradient3377">
<stop
id="stop3379"
offset="0"
style="stop-color:#faff2b;stop-opacity:1;" />
<stop
id="stop3381"
offset="1"
style="stop-color:#ffaa00;stop-opacity:1;" />
</linearGradient>
<radialGradient
inkscape:collect="always"
xlink:href="#linearGradient3377"
id="radialGradient3705"
gradientUnits="userSpaceOnUse"
cx="148.88333"
cy="81.869568"
fx="148.88333"
fy="81.869568"
r="19.467436"
gradientTransform="matrix(1.3852588,-5.1367833e-2,3.7056289e-2,0.9993132,-60.392403,7.7040438)" />
<inkscape:perspective
sodipodi:type="inkscape:persp3d"
inkscape:vp_x="0 : 32 : 1"
inkscape:vp_y="0 : 1000 : 0"
inkscape:vp_z="64 : 32 : 1"
inkscape:persp3d-origin="32 : 21.333333 : 1"
id="perspective2868" />
</defs>
<sodipodi:namedview
id="base"
pagecolor="#ffffff"
bordercolor="#666666"
borderopacity="1.0"
inkscape:pageopacity="0.0"
inkscape:pageshadow="2"
inkscape:zoom="5.5"
inkscape:cx="1.1818182"
inkscape:cy="29.272727"
inkscape:current-layer="layer1"
showgrid="true"
inkscape:document-units="px"
inkscape:grid-bbox="true"
inkscape:window-width="1280"
inkscape:window-height="750"
inkscape:window-x="1349"
inkscape:window-y="189"
inkscape:window-maximized="0" />
<metadata
id="metadata2865">
<rdf:RDF>
<cc:Work
rdf:about="">
<dc:format>image/svg+xml</dc:format>
<dc:type
rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
<dc:title />
</cc:Work>
</rdf:RDF>
</metadata>
<g
id="layer1"
inkscape:label="Layer 1"
inkscape:groupmode="layer">
<text
xml:space="preserve"
style="font-size:64px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#ffff00;fill-opacity:1;stroke:#241c1c;font-family:DejaVu Serif;-inkscape-font-specification:DejaVu Serif;stroke-width:2;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:4.09999999999999960"
x="10.909091"
y="54.909092"
id="text3014"
sodipodi:linespacing="125%"><tspan
sodipodi:role="line"
id="tspan3016"
x="10.909091"
y="54.909092">A</tspan></text>
</g>
</svg>

After

Width:  |  Height:  |  Size: 3.8 KiB

469
export_to_FastHenry.py Normal file
View File

@ -0,0 +1,469 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
import FreeCAD, Mesh, Part, MeshPart, DraftGeomUtils, os
from FreeCAD import Vector
if FreeCAD.GuiUp:
import FreeCADGui
from PySide import QtCore, QtGui
else:
def translate(ctxt,txt):
return txt
__title__="FreeCAD E.M. FastHenry2 Macros"
__author__ = "FastFieldSolvers S.R.L."
__url__ = "http://www.fastfieldsolvers.com"
DEF_FOLDER = "."
def export_segs(filename="", disc=3, custDot="", FHbug=False, w=0, h=0, nhinc=0, nwinc=0, folder=DEF_FOLDER):
'''Export segments in FastHenry format
The function operates on the selection. The selection must be a sketch, a wire or an edge.
'filename' is the name of the export file
'disc' is the maximum number of segments into which curves will be discretized
'custDot' is a custom directive added in the output file (a string added as it is on top of the file)
'FHbug' works around a FastHenry bug happening for some very exact values of diagonal parallel segments,
giving rise to 'uh oh segments don't seem parallel' kind of errors
'w', 'h', 'nhinc', 'nwinc' are the FastHenry parameters;
if zero, they are ignored (FastHenry will use the .default values).
If 'w' is not zero, no segment shorter than abs(w)*3 will be output. Note that the end point of
the previous segment will be the starting point of the *next* segment (skipping the short one).
This might cause misalignments if there are many consecutive short segments.
If 'w' is negative, it assures that no curve will be discretized if the radius is less than w*3,
to avoid short thick (overlapping) segments.
'folder' is the folder in which 'filename' will be saved
Example:
export_segs("mysegs.inp", folder="C:/temp")
'''
# get selection
sel = FreeCADGui.Selection.getSelection()
# if no valid selection was passed
if sel == None:
return
if filename == "":
filename = sel[0].Label.replace(" ","_") + ".txt"
if not os.path.isdir(folder):
os.mkdir(folder)
with open(folder + os.sep + filename, 'w') as fid:
fid.write("* Conductor definition file for the following objects\n")
for obj in sel:
fid.write("* - " + obj.Label + "\n")
fid.write("* created using FreeCAD's ElectroMagnetic Workbench\n")
fid.write("* see http://www.freecad.org and http://www.fastfieldsolvers.com\n")
fid.write("\n")
# scan objects in selection and export to FastHenry one by one
for obj in sel:
edges_raw = []
# checking TypeId; cannot check type(obj), too generic
if obj.TypeId == "Sketcher::SketchObject":
if obj.Shape.ShapeType == "Wire":
edges_raw.extend(obj.Shape.Edges)
# compound
elif obj.TypeId == "Part::Compound":
edges_raw.extend(obj.Shape.Edges)
# line or DWire (Draft Wire)
elif obj.TypeId == "Part::Part2DObjectPython":
if obj.Shape.ShapeType == "Wire":
edges_raw.extend(obj.Shape.Edges)
# wire created by upgrading a set of (connected) edges
elif obj.TypeId == "Part::Feature":
if obj.Shape.ShapeType == "Wire":
edges_raw.extend(obj.Shape.Edges)
# any other part, provided it has a 'Shape' attribute
else:
if hasattr(obj, "Shape"):
if obj.Shape.ShapeType == "Wire":
edges_raw.extend(obj.Shape.Edges)
else:
# to be implemented?
FreeCAD.Console.PrintMessage("Unsupported object type for '" + obj.Label + "', skipping\n")
continue
# sort the edges. If the selected path is disconnected, the path will be broken!
edges = Part.__sortEdges__(edges_raw)
# TBC: join parts with additional edges, or .equiv-ing them, using distToShape between the obj.Shape
# Can happen with a compound containing different edges / wires / stetches
#edge = Part.Edge(Part.Line(Vector(154.0002, -62.6872,0), Vector(154.0002,-53.1876,0)))
#v = Part.Vertex(edges[0].Curve.StartPoint)
#v.Tolerance
#App.ActiveDocument.Shape.Shape.Vertexes[1].distToShape(App.ActiveDocument.Shape001.Shape.Vertexes[0])
# scan edges and derive nodes
nodes = []
for edge in edges:
if type(edge.Curve) == Part.Circle:
# discretize
if edge.Curve.Radius < -w*3 and w < 0:
ddisc = 1
else:
ddisc = disc
for i in range(0, ddisc):
step = (edge.LastParameter - edge.FirstParameter) / ddisc
# always skip last vertex, as the next edge will start where this finishes
nodes.append(edge.valueAt(edge.FirstParameter + i*step))
# quick & dirty trick
lastvertex = edge.valueAt(edge.LastParameter)
elif type(edge.Curve) == Part.Ellipse:
# discretize
if (edge.Curve.MajorRadius < -w*3 or edge.Curve.MinorRadius < -w*3) and w < 0:
ddisc = 1
else:
ddisc = disc
for i in range(0, ddisc):
step = (edge.LastParameter - edge.FirstParameter) / ddisc
# always skip last vertex, as the next edge will start where this finishes
nodes.append(edge.valueAt(edge.FirstParameter + i*step))
# quick & dirty trick
lastvertex = edge.valueAt(edge.LastParameter)
elif type(edge.Curve) == Part.Line:
# if w=0, the following condition is always true
if edge.Length > abs(w)*3:
nodes.append(edge.Curve.StartPoint)
# quick & dirty trick
lastvertex = edge.Curve.EndPoint
else:
FreeCAD.Console.PrintMessage("Unknown edge: " + str(type(edge.Curve)) + " in '" + obj.Label + "',, skipping\n")
# now add the very last vertex
nodes.append(lastvertex)
if len(nodes) < 2:
FreeCAD.Console.PrintMessage("Less than two nodes found in '" + obj.Label + "', skipping\n")
continue
# start actual object output in FastHenry format
fid.write("* " + obj.Label + "\n")
if custDot != "":
fid.write(custDot + "\n")
baseName = obj.Label.replace(" ","_") + "_"
# now create nodes
for i, node in enumerate(nodes):
# extension in the node name must be "S" for the Start node
# and "E" for the End node
if i == 0:
ext = "S"
elif i == len(nodes)-1:
ext = "E"
else:
ext = str(i)
if FHbug == True:
fid.write("N" + baseName + ext + " x=" + str(node.x) + " y=" + str(int(node.y)) + " z=" + str(node.z) + "\n")
else:
fid.write("N" + baseName + ext + " x=" + str(node.x) + " y=" + str(node.y) + " z=" + str(node.z) + "\n")
# and finally segments
for i in range(0, len(nodes)-1):
# extension in the node name must be "S" for the Start node
# and "E" for the End node
#
# start node
if i == 0:
ext1 = "S"
else:
ext1 = str(i)
# end node
if i >= len(nodes)-2:
ext2 = "E"
else:
ext2 = str(i+1)
fid.write("E" + baseName + "N" + ext1 + "N" + ext2 + " ")
fid.write("N" + baseName + ext1 + " " + "N" + baseName + ext2)
if w > 0:
fid.write(" w=" + str(w))
if h > 0:
fid.write(" h=" + str(w))
if nhinc > 0:
fid.write(" nhinc=" + str(w))
if nwinc > 0:
fid.write(" nwinc=" + str(w))
fid.write("\n")
# blank lines before next object
fid.write("\n\n")
fid.closed
def export_segs2(filename="", disc=3, custDot="", FHbug=False, breakSeg=False, w=0, h=0, nhinc=0, nwinc=0, folder=DEF_FOLDER):
'''Export segments in FastHenry format
The function operates on the selection. The selection must be a sketch, a wire or an edge.
Version 2 means it discretizes both curved and straight parts of a path. It also dumps nodes of an underlying GND plane.
'filename' is the name of the export file
'disc' is the maximum number of segments into which curves will be discretized
'custDot' is a custom directive added in the output file (a string added as it is on top of the file)
'FHbug' works around a FastHenry bug happening for some very exact values of diagonal parallel segments,
giving rise to 'uh oh segments don't seem parallel' kind of errors
'breakSeg' if true breaks also straight segments into 'disc' parts
'w', 'h', 'nhinc', 'nwinc' are the FastHenry parameters;
if zero, they are ignored (FastHenry will use the .default values).
If 'w' is not zero, no segment shorter than abs(w)*3 will be output. Note that the end point of
the previous segment will be the starting point of the *next* segment (skipping the short one).
This might cause misalignments if there are many consecutive short segments.
If 'w' is negative, it assures that no curve will be discretized if the radius is less than w*3,
to avoid short thick (overlapping) segments.
'folder' is the folder in which 'filename' will be saved
Example:
export_segs2("mysegs.inp", folder="C:/temp")
'''
# get selection
sel = FreeCADGui.Selection.getSelection()
# if no valid selection was passed
if sel == None:
return
if filename == "":
filename = sel[0].Label.replace(" ","_") + ".txt"
if not os.path.isdir(folder):
os.mkdir(folder)
with open(folder + os.sep + filename, 'w') as fid:
fid.write("* Conductor definition file for the following objects\n")
for obj in sel:
fid.write("* - " + obj.Label + "\n")
fid.write("* created using FreeCAD's ElectroMagnetic Workbench\n")
fid.write("* see http://www.freecad.org and http://www.fastfieldsolvers.com\n")
fid.write("\n")
# scan objects in selection and export to FastHenry one by one
gndplane_nodes = []
for obj in sel:
edges_raw = []
# checking TypeId; cannot check type(obj), too generic
if obj.TypeId == "Sketcher::SketchObject":
if obj.Shape.ShapeType == "Wire":
edges_raw.extend(obj.Shape.Edges)
# compound
elif obj.TypeId == "Part::Compound":
edges_raw.extend(obj.Shape.Edges)
# line or DWire (Draft Wire)
elif obj.TypeId == "Part::Part2DObjectPython":
if obj.Shape.ShapeType == "Wire":
edges_raw.extend(obj.Shape.Edges)
# wire created by upgrading a set of (connected) edges
elif obj.TypeId == "Part::Feature":
if obj.Shape.ShapeType == "Wire":
edges_raw.extend(obj.Shape.Edges)
# any other part, provided it has a 'Shape' attribute
else:
if hasattr(obj, "Shape"):
if obj.Shape.ShapeType == "Wire":
edges_raw.extend(obj.Shape.Edges)
else:
# to be implemented?
FreeCAD.Console.PrintMessage("Unsupported object type for '" + obj.Label + "', skipping\n")
continue
# sort the edges. If the selected path is disconnected, the path will be broken!
edges = Part.__sortEdges__(edges_raw)
# TBC: join parts with additional edges, or .equiv-ing them, using distToShape between the obj.Shape
# Can happen with a compound containing different edges / wires / stetches
#edge = Part.Edge(Part.Line(Vector(154.0002, -62.6872,0), Vector(154.0002,-53.1876,0)))
#v = Part.Vertex(edges[0].Curve.StartPoint)
#v.Tolerance
#App.ActiveDocument.Shape.Shape.Vertexes[1].distToShape(App.ActiveDocument.Shape001.Shape.Vertexes[0])
# scan edges and derive nodes
nodes = []
for edge in edges:
if type(edge.Curve) == Part.Circle:
# discretize
if edge.Curve.Radius < -w*3 and w < 0:
ddisc = 1
else:
ddisc = disc
for i in range(0, ddisc):
step = (edge.LastParameter - edge.FirstParameter) / ddisc
# always skip last vertex, as the next edge will start where this finishes
nodes.append(edge.valueAt(edge.FirstParameter + i*step))
# quick & dirty trick
lastvertex = edge.valueAt(edge.LastParameter)
elif type(edge.Curve) == Part.Ellipse:
# discretize
if (edge.Curve.MajorRadius < -w*3 or edge.Curve.MinorRadius < -w*3) and w < 0:
ddisc = 1
else:
ddisc = disc
for i in range(0, ddisc):
step = (edge.LastParameter - edge.FirstParameter) / ddisc
# always skip last vertex, as the next edge will start where this finishes
nodes.append(edge.valueAt(edge.FirstParameter + i*step))
# quick & dirty trick
lastvertex = edge.valueAt(edge.LastParameter)
elif type(edge.Curve) == Part.Line:
# if w=0, the following condition is always true
if edge.Length > abs(w)*3:
if breakSeg == False:
ddisc = 1
else:
ddisc = disc
for i in range(0, ddisc):
step = (edge.LastParameter - edge.FirstParameter) / ddisc
# always skip last vertex, as the next edge will start where this finishes
nodes.append(edge.valueAt(edge.FirstParameter + i*step))
# quick & dirty trick
lastvertex = edge.valueAt(edge.LastParameter)
else:
FreeCAD.Console.PrintMessage("Unknown edge: " + str(type(edge.Curve)) + " in '" + obj.Label + "',, skipping\n")
# now add the very last vertex
nodes.append(lastvertex)
if len(nodes) < 2:
FreeCAD.Console.PrintMessage("Less than two nodes found in '" + obj.Label + "', skipping\n")
continue
# start actual object output in FastHenry format
fid.write("* " + obj.Label + "\n")
if custDot != "":
fid.write(custDot + "\n")
baseName = obj.Label.replace(" ","_") + "_"
# now create nodes
for i, node in enumerate(nodes):
# extension in the node name must be "S" for the Start node
# and "E" for the End node
if i == 0:
ext = "S"
elif i == len(nodes)-1:
ext = "E"
else:
ext = str(i)
if FHbug == True:
fid.write("N" + baseName + ext + " x=" + str(node.x) + " y=" + str(int(node.y)) + " z=" + str(node.z) + "\n")
gndplane_nodes.append( (baseName+ext, str(node.x), str(int(node.y)), str(node.z)) )
else:
fid.write("N" + baseName + ext + " x=" + str(node.x) + " y=" + str(node.y) + " z=" + str(node.z) + "\n")
gndplane_nodes.append( (baseName+ext, str(node.x), str(int(node.y)), str(node.z)) )
# and finally segments
for i in range(0, len(nodes)-1):
# extension in the node name must be "S" for the Start node
# and "E" for the End node
#
# start node
if i == 0:
ext1 = "S"
else:
ext1 = str(i)
# end node
if i >= len(nodes)-2:
ext2 = "E"
else:
ext2 = str(i+1)
fid.write("E" + baseName + "N" + ext1 + "N" + ext2 + " ")
fid.write("N" + baseName + ext1 + " " + "N" + baseName + ext2)
if w > 0:
fid.write(" w=" + str(w))
if h > 0:
fid.write(" h=" + str(w))
if nhinc > 0:
fid.write(" nhinc=" + str(w))
if nwinc > 0:
fid.write(" nwinc=" + str(w))
fid.write("\n")
# blank lines before next object
fid.write("\n\n")
# create GND plane nodes
for gndplane_node in gndplane_nodes:
fid.write("+ Nplane" + gndplane_node[0] + " (" + gndplane_node[1] + "," +
gndplane_node[2] + "," + "-1.5" + ")\n" )
# blank lines before next object
fid.write("\n\n")
# create .equiv plane nodes statements
for gndplane_node in gndplane_nodes:
fid.write(".equiv Nplane" + gndplane_node[0] + " N" + gndplane_node[0] + "\n")
fid.closed
def create_FH_plane(filename="", seg1=10, seg2=10, wx=10, wy=10, name="", custDot="", thick=1.0, folder=DEF_FOLDER):
'''Create a conductive plane using primitive FastHenry segments
'filename' is the name of the export file
'seg1' is the number of segments along x
'seg2' is the number of segments along y
'wx', 'wy' are the plane dimensions along x and y
'name' is the node extension name (e.g. Nname_1_2)
'folder' is the folder in which 'filename' will be saved
Example:
create_FH_plane("plane.inp", seg1=5, seg2=3, folder="C:/temp")
'''
if filename == "":
filename = sel[0].Label.replace(" ","_") + ".txt"
if not os.path.isdir(folder):
os.mkdir(folder)
with open(folder + os.sep + filename, 'w') as fid:
fid.write("* Conductive plane built using primitive FastHenry segments\n")
fid.write("* created using FreeCAD's ElectroMagnetic Workbench\n")
fid.write("* see http://www.freecad.org and http://www.fastfieldsolvers.com\n")
fid.write("\n")
stepx = wx / seg1
stepy = wy / seg2
# lay down nodes
for i in range(0, seg1+1):
for j in range(0, seg2+1):
fid.write("N" + name + "_" + str(i) + "_" + str(j) + " x=" + str(i*stepx) + " y=" + str(j*stepy) + " z=0 \n")
# lay down segments
#
# along y
for i in range(0, seg1+1):
for j in range(0, seg2):
fid.write("E2"+ name + "_" + str(i) + "_" + str(j) + " N" + name + "_" + str(i) + "_" + str(j) + " N" + name + "_" + str(i) + "_" + str(j+1) + " w=" + str(stepx) + " h=" + str(thick) + " \n")
# along x
for j in range(0, seg2+1):
for i in range(0, seg1):
fid.write("E2"+ name + "_" + str(i) + "_" + str(j) + " N" + name + "_" + str(i) + "_" + str(j) + " N" + name + "_" + str(i+1) + "_" + str(j) + " w=" + str(stepy) + " h=" + str(thick) + " \n")
fid.write("\n")
fid.closed

View File

@ -22,7 +22,8 @@
#***************************************************************************
import FreeCAD, Mesh, Draft, Part, os
#from FreeCAD import Vector
from collections import namedtuple
from FreeCAD import Vector
if FreeCAD.GuiUp:
import FreeCADGui
@ -37,7 +38,358 @@ __url__ = "http://www.fastfieldsolvers.com"
DEF_FOLDER = "."
COLORMAP_LEN = 256
AUTOREFINE_MAX_PARSE_LEVEL = 32
# filePosMap members
filePosData = namedtuple('filePosData', ['lineNum', 'filePos'])
# global vars
#
m_lDielNum = 0
m_lCondNum = 0
m_iParseLevel = -1
m_iGroupNum = [1]
m_lGroupDielNum = 0
m_bUseMesh = True
# number of input panels
m_ulInputPanelNum = 0
def read_fastcap_file(filename, folder=DEF_FOLDER, usePartType='compound'):
'''Import file in FasterCap format as Mesh or Part.compound
'filename' is the name of the export file
'folder' is the folder where the file resides
Example:
fastercapObj = read_fastcap_file('cube.txt')
'''
#
# this function is a Python-converted version of the FasterCap C++
# ReadFastCapFile() import function (and associated functions)
#
global m_lDielNum
global m_lCondNum
global m_iParseLevel
global m_iGroupNum
global m_lGroupDielNum
global m_sUsePartType
global m_ulInputPanelNum
# init global vars
m_lDielNum = 0
m_lCondNum = 0
m_iParseLevel = -1
m_iGroupNum = [1 for x in range(0,AUTOREFINE_MAX_PARSE_LEVEL)]
m_lGroupDielNum = 0
m_sUsePartType = usePartType
# init number of input panels
m_ulInputPanelNum = 0
if not os.path.isdir(folder):
FreeCAD.Console.PrintMessage("Error: '" + folder + "' is not a valid folder\n")
return False
if not os.path.exists(folder + os.sep + filename):
FreeCAD.Console.PrintMessage("Error: '" + filename + "' is not a valid file in the directory " + folder + "\n")
return False
# understand the type of input file (2D or 3D)
fileinname =fol
der + os.sep + filename
line = ''
try:
with open(fileinname, 'r') as fid:
line = fid.readline()
fid.closed
except OSError as err:
FreeCAD.Console.PrintMessage("OS error: " + format(err) + "\n")
return False
# clear filePosMap dictionary
filePosMap = {}
if '2d' in line or '2D' in line:
# passing dummy 'fid' and 'filePosMap' (that must be empty) since
# there is no parent file
ret = parse_2D_input_file(fileinname, fid, filePosMap);
else:
# passing dummy 'fid' and 'filePosMap' (that must be empty) since
# there is no parent file
ret = parse_3D_input_file(fileinname, fid, filePosMap);
return ret
def parse_2D_input_file(fileinname, fid, filePosMap, use_mesh):
FreeCAD.Console.PrintMessage("Parse 2D\n")
return True
def parse_3D_input_file(fileinname, parentFid, parentFilePosMap, isdiel = False, offset = Vector(0.0, 0.0, 0.0),
outperm = complex(1.0), groupname = '', inperm = complex(1.0), dielrefpoint = Vector(0.0, 0.0, 0.0)):
global m_iParseLevel
global m_iGroupNum
global m_lGroupDielNum
global m_sUsePartType
global m_ulInputPanelNum
# increment the recursion level counter
m_iParseLevel = m_iParseLevel + 1
if m_iParseLevel >= AUTOREFINE_MAX_PARSE_LEVEL:
FreeCAD.Console.PrintMessage("Warning: maxumum number (" + format(AUTOREFINE_MAX_PARSE_LEVEL) +
") of recursive files exceeded, skipping file " + fileinname + "\n")
return True
# reset group number for current parse level
m_iGroupNum[m_iParseLevel] = 1;
# init filePosMap
filePosMap = {}
# check if the conductor file is a sub-file
if fileinname in parentFilePosMap:
# if it is a sub-file, copy parent data
filePosMap = parentFilePosMap
fid = parentFid
try:
# store current file position to restore it at the end
# Remark: tell() in Python under Windows must be used with files opened as 'rb'
# as Unix-style endings may cause tell() to return illegal values
startPos = fid.tell()
# and get linenum and position
linenum = parentFilePosMap[fileinname].linenum
fid.seek(parentFilePosMap[fileinname].filePos)
except IOError as err:
FreeCAD.Console.PrintMessage("OS error: " + format(err) + "\n")
fid.closed
return False
else:
try:
# open the sub file id
fid = open(fileinname, 'rb')
linenum = 1
fid.closed
except OSError as err:
FreeCAD.Console.PrintMessage("OS error: " + format(err) + "\n")
return False
# build the file map (for single input file)
ret = create_file_map(fileinname, fid, filePosMap)
if ret <> True:
return ret
panelVertexes = []
chargeDensity = []
panelColors = []
for line in fid:
# if subfile definitions (starting or ending), stop here
if line[0] in ('E', 'e', 'F', 'f'):
break
# now check for actual statements
#
# first split the line into the components
splitLine = line.split()
# if the line was actually composed only by separators, continue
if len(splitLine) == 0:
continue
# if conductor file
if splitLine[0] == 'C':
try:
# read file name
name = splitline[1]
# read outer permittivity
if 'j' in splitline[2]:
# as the complex format in FasterCap is 'a-jb' and not 'a-bj' as the Python 'complex' class
# would like, this trick modifies the string to be parsable by 'complex'
# Remark: we assume that the complex number has no spaces; FasterCap would accept
# also syntax like 'a - jb', here it would cause errors
localOutPerm = complex(splitline[2].replace('j', '') + 'j')
else:
localOutPerm = complex(splitline[2])
# read offset coordinates
localOffset = Vector(float(splitLine[3]), float(splitLine[4]), float(splitLine[5]))
localOffset = localOffset + offset
# compute group name (to distinguish between panels with the same
# conductor name because in the same file called more than once)
if m_iParseLevel == 0:
localGroupname = "g"
else
localGroupname = groupname
localGroupname = localGroupname + str(m_iGroupNum[m_iParseLevel]) + '_'
# read optional values
if len(splitLine) >= 7:
# read optional '+'. If not a '+', increment the group
if splitLine[6] <> '+':
# increase group name
m_iGroupNum[m_iParseLevel] = m_iGroupNum[m_iParseLevel] + 1
# read optional color; if present, it is the last element of the line
if splitLine[-1][0:2] in ("0x", "0X"):
groupcolor = splitLine[5]
# recurse into new conductor file
m_iGroupNum[m_iParseLevel+1] = 1
except (IndexError, ValueError):
FreeCAD.Console.PrintMessage("Error in file " + fileinname + " at line " + format(linenum) + " : " + line + "\n")
ret = Parse3DInputFile(name, fid, filePosMap, False, localOffset, localOutperm, localGroupname)
if ret == False:
break
# if dielectric file
if splitLine[0] == 'D':
try:
# read file name
name = splitline[1]
# read outer permittivity
if 'j' in splitline[2]:
# as the complex format in FasterCap is 'a-jb' and not 'a-bj' as the Python 'complex' class
# would like, this trick modifies the string to be parsable by 'complex'
# Remark: we assume that the complex number has no spaces; FasterCap would accept
# also syntax like 'a - jb', here it would cause errors
localOutPerm = complex(splitline[2].replace('j', '') + 'j')
else:
localOutPerm = complex(splitline[2])
# read inner permittivity
if 'j' in splitline[3]:
# as the complex format in FasterCap is 'a-jb' and not 'a-bj' as the Python 'complex' class
# would like, this trick modifies the string to be parsable by 'complex'
# Remark: we assume that the complex number has no spaces; FasterCap would accept
# also syntax like 'a - jb', here it would cause errors
localOutPerm = complex(splitline[3].replace('j', '') + 'j')
else:
localOutPerm = complex(splitline[3])
# read offset coordinates
localOffset = Vector(float(splitLine[4]), float(splitLine[5]), float(splitLine[6]))
localOffset = localOffset + offset
# read dielectric reference point coordinates
localDielrefpoint = Vector(float(splitLine[7]), float(splitLine[8]), float(splitLine[9]))
localDielrefpoint = localDielrefpoint + offset
# read optional values
if len(splitLine) >= 11:
# read optional '-'
# if '-', reverse outperm and inperm;
# in this way, the reference point is always on the outperm side
if splitLine[10] == '-':
localInperm, localOutperm = localOutperm, localInperm
# read optional color; if present, it is the last element of the line
if splitLine[-1][0:2] in ("0x", "0X"):
groupcolor = splitLine[5]
# compute dielectric name (to distinguish between panels
# in the same file called more than once)
localGroupname = "diel" + str(m_lGroupDielNum)
sprintf(localGroupname, "diel%ld", m_lGroupDielNum)
# increase group name
m_lGroupDielNum = m_lGroupDielNum + 1
except (IndexError, ValueError):
FreeCAD.Console.PrintMessage("Error in file " + fileinname + " at line " + format(linenum) + " : " + line + "\n")
# recurse into new dielectric file
ret = Parse3DInputFile(name, fid, filePosMap, True, localOffset, localOutperm, localGroupname, localInperm, localDielrefpoint)
if ret == False:
break
# if triangle
if splitLine[0] == 'T':
try:
# read conductor name to which the patch belongs
tmpname = splitline[1]
# read panel coordinates
#
# if using mesh, we need a flat list of vertexes, that will be used in triplets
# to build the triangular-only mesh faces
if m_sUsePartType == 'mesh':
panelVertexes.extend( [ [float(splitLine[2]), float(splitLine[3]), float(splitLine[4])],
[float(splitLine[5]), float(splitLine[6]), float(splitLine[7])],
[float(splitLine[8]), float(splitLine[9]), float(splitLine[10])] ])
# if using faces, we need FreeCAD.Vector or tuple of three floats for each vertex, in a vector
# with as many elements as the vertexes of the polygon supporting the face
else:
panelVertexes.append( [ (float(splitLine[2]), float(splitLine[3]), float(splitLine[4])),
(float(splitLine[5]), float(splitLine[6]), float(splitLine[7])),
(float(splitLine[8]), float(splitLine[9]), float(splitLine[10])) ])
# read optional reference point
if len(splitLine) >= 14:
localDielrefpoint = Vector(float(splitLine[11]), float(splitLine[12]), float(splitLine[13]))
localDielrefpoint = localDielrefpoint + offset
uselocaldiel = True
else
uselocaldiel = False
# read optional trailing charge density information, or color
# Note that charge density is alternative to color (cannot have both), but charge density could
# be confused with the last coordinate of the optional reference point. So if there are three
# additional optional float values, this is the reference point, and if there is something else still,
# this must be charge density or color; if there are not three additional optional float values,
# but there is something else, again this must be charge density or color, so look at the last value
# on the line
if (uselocaldiel == True and len(splitLine) >= 15) or (uselocaldiel == false and len(splitline) >= 12):
# if color, read it
if splitLine[-1][0:2] in ("0x", "0X"):
panelColors.append(splitLine[-1])
else
chargeDensity.append(float(splitLine[11]))
except (IndexError, ValueError):
FreeCAD.Console.PrintMessage("Error on line " + format(i) + " : " + line + "\n")
name = groupname
# if this is a conductor panel, compose the actual name; otherwise, for dielectric interfaces,
# we can ignore specific conductor names
if isdiel == False:
# concat name with group name
name = name + tmpname
ret = GetConductor(&(itc), &dielIndex, name, isdiel, outpermRe, outpermIm, inpermRe, inpermIm, dielrefpoint)
if(ret == False)
break
# ret = (long)CreatePanel(vertex, tmpname, dielIndex, &itc, fileinname, linenum, AUTOREFINE_SIMPLE_CREATE_PANEL, globalVars, uselocaldiel, localDielrefpoint);
# counting panels (i.e. the panel # in the input file, no input refinement,
# e.g. Q panels split in two triangles)
if isdiel == False:
m_ulInputPanelNum = m_ulInputPanelNum + 1
else:
m_ulInputPanelNum = m_ulInputPanelNum + 1
return True
def create_file_map(fileinname, fid, filePosMap)
return False
def import_fastercap(filename, folder=DEF_FOLDER, use_mesh=True):
'''Import file in FasterCap format as Mesh or Part.compound
@ -47,10 +399,6 @@ def import_fastercap(filename, folder=DEF_FOLDER, use_mesh=True):
Example:
fastercapObj = import_fastercap('cube.txt')
'''
#
# this importer is a Python converted version of the FasterCap C++ import function
#
if not os.path.isdir(folder):
FreeCAD.Console.PrintMessage("Error: '" + folder + "' is not a valid folder\n")
@ -61,12 +409,12 @@ def import_fastercap(filename, folder=DEF_FOLDER, use_mesh=True):
return
try:
with open(folder + os.sep + filename, 'r') as fid:
with open(folder + os.sep + filename, 'rb') as fid:
# reset the list of triangle vertexes
panelVertexes = []
chargeDensity = []
# and scan all the file
for i, line in enumerate(fid.readlines()):
for i, line in enumerate(fid):
# if first line, or empty line, skip
if i == 0 or line in ['', '\n', '\r\n']:
continue

42
launch_fastercap.py Normal file
View File

@ -0,0 +1,42 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
import subprocess
from time import sleep
import FreeCAD, FreeCADGui
simfile = "C:/Users/Public/Documents/FastFieldSolvers/FasterCap/3D/array_of_5_spheres.lst"
simengine = 'C:/Program Files (x86)/FastFieldSolvers/FasterCap/fastercap.exe'
p=subprocess.Popen([simengine, "-b", "-a0.001", "-ap", simfile],stdin=subprocess.PIPE,stdout=subprocess.PIPE)
while True:
myline = p.stdout.readline()
if myline:
App.Console.PrintMessage(myline)
if not myline:
break
lastout = p.communicate()
App.Console.PrintMessage(lastout)

43
launch_fasthenry.py Normal file
View File

@ -0,0 +1,43 @@
#***************************************************************************
#* *
#* Copyright (c) 2018 *
#* FastFieldSolvers S.R.L. http://www.fastfieldsolvers.com *
#* *
#* This program is free software; you can redistribute it and/or modify *
#* it under the terms of the GNU Lesser General Public License (LGPL) *
#* as published by the Free Software Foundation; either version 2 of *
#* the License, or (at your option) any later version. *
#* for detail see the LICENCE text file. *
#* *
#* This program is distributed in the hope that it will be useful, *
#* but WITHOUT ANY WARRANTY; without even the implied warranty of *
#* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
#* GNU Library General Public License for more details. *
#* *
#* You should have received a copy of the GNU Library General Public *
#* License along with this program; if not, write to the Free Software *
#* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
#* USA *
#* *
#***************************************************************************
import subprocess
from time import sleep
import FreeCAD, FreeCADGui
simfile = "C:/Users/Public/Documents/FastFieldSolvers/FastHenry2/pin-con7.inp"
simengine = 'C:/Program Files (x86)/FastFieldSolvers/FastHenry2/FastHenry2.exe'
p=subprocess.Popen([simengine, "-b", "-a0.001", "-ap", simfile],stdin=subprocess.PIPE,stdout=subprocess.PIPE)
while True:
myline = p.stdout.readline()
if myline:
App.Console.PrintMessage(myline)
if not myline:
break
# get what is left in the buffer
lastout = p.communicate()
App.Console.PrintMessage(lastout)