File size: 14,123 Bytes
985c397 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 | # SPDX-License-Identifier: LGPL-2.1-or-later
# ***************************************************************************
# * Copyright (c) 2017 Shai Seger <shaise at gmail> *
# * *
# * 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 *
# * *
# ***************************************************************************
"""
Command and task window handler for the OpenGL based CAM simulator
"""
import math
import os
import FreeCAD
import Path.Base.Util as PathUtil
import Path.Dressup.Utils as PathDressup
import Path.Main.Job as PathJob
from PathScripts import PathUtils
import CAMSimulator
from FreeCAD import Vector, Placement, Rotation
# lazily loaded modules
from lazy_loader.lazy_loader import LazyLoader
Mesh = LazyLoader("Mesh", globals(), "Mesh")
Part = LazyLoader("Part", globals(), "Part")
if FreeCAD.GuiUp:
import FreeCADGui
from PySide import QtGui, QtCore
from PySide.QtGui import QDialogButtonBox
_filePath = os.path.dirname(os.path.abspath(__file__))
def IsSame(x, y):
"""Check if two floats are the same within an epsilon"""
return abs(x - y) < 0.0001
def RadiusAt(edge, p):
"""Find the tool radius within a point on its circumference"""
x = edge.valueAt(p).x
y = edge.valueAt(p).y
return math.sqrt(x * x + y * y)
class CAMSimTaskUi:
"""Handles the simulator task panel"""
def __init__(self, parent):
# this will create a Qt widget from our ui file
self.form = FreeCADGui.PySideUic.loadUi(":/panels/TaskCAMSimulator.ui")
self.parent = parent
def getStandardButtons(self, *_args):
"""Task panel needs only Close button"""
return QDialogButtonBox.Close
def reject(self):
"""User Pressed the Close button"""
self.parent.cancel()
FreeCADGui.Control.closeDialog()
def TSError(msg):
"""Display error message"""
QtGui.QMessageBox.information(None, "Path Simulation", msg)
class CAMSimulation:
"""Handles and prepares CAM jobs for simulation"""
def __init__(self):
self.debug = False
self.stdrot = FreeCAD.Rotation(Vector(0, 0, 1), 0)
self.iprogress = 0
self.numCommands = 0
self.simperiod = 20
self.quality = 10
self.resetSimulation = False
self.jobs = []
self.initdone = False
self.taskForm = None
self.disableAnim = False
self.firstDrill = True
self.millSim = None
self.job = None
self.activeOps = []
self.ioperation = 0
self.stock = None
self.busy = False
self.operations = []
self.baseShape = None
def Connect(self, but, sig):
"""Connect task panel buttons"""
QtCore.QObject.connect(but, QtCore.SIGNAL("clicked()"), sig)
def FindClosestEdge(self, edges, px, pz):
"""Convert tool shape to tool profile needed by GL simulator"""
for edge in edges:
p1 = edge.FirstParameter
p2 = edge.LastParameter
rad1 = RadiusAt(edge, p1)
z1 = edge.valueAt(p1).z
if IsSame(px, rad1) and IsSame(pz, z1):
return edge, p1, p2
rad2 = RadiusAt(edge, p2)
z2 = edge.valueAt(p2).z
if IsSame(px, rad2) and IsSame(pz, z2):
return edge, p2, p1
# sometimes a flat circle is without edge, so return edge with
# same height and later a connecting edge will be interpolated
if IsSame(pz, z1):
return edge, p1, p2
if IsSame(pz, z2):
return edge, p2, p1
return None, 0.0, 0.0
def FindTopMostEdge(self, edges):
"""Examine tool solid edges and find the top most one"""
maxz = -99999999.0
topedge = None
top_p1 = 0.0
top_p2 = 0.0
for edge in edges:
p1 = edge.FirstParameter
p2 = edge.LastParameter
z = edge.valueAt(p1).z
if z > maxz:
topedge = edge
top_p1 = p1
top_p2 = p2
maxz = z
z = edge.valueAt(p2).z
if z > maxz:
topedge = edge
top_p1 = p2
top_p2 = p1
maxz = z
return topedge, top_p1, top_p2
def GetToolProfile(self, tool, resolution):
"""Get the edge profile of a tool solid. Basically locating the
side edge that OCC creates on any revolved object
"""
originalPlacement = tool.Placement
tool.Placement = Placement(Vector(0, 0, 0), Rotation(Vector(0, 0, 1), 0), Vector(0, 0, 0))
shape = tool.Shape
tool.Placement = originalPlacement
sideEdgeList = []
for _i, edge in enumerate(shape.Edges):
if not edge.isClosed():
# v1 = edge.firstVertex()
# v2 = edge.lastVertex()
# tp = "arc" if type(edge.Curve) is Part.Circle else "line"
sideEdgeList.append(edge)
# sort edges as a single 3d line on the x-z plane
# first find the topmost edge
edge, p1, p2 = self.FindTopMostEdge(sideEdgeList)
profile = [RadiusAt(edge, p1), edge.valueAt(p1).z]
endrad = 0.0
# one by one find all connecting edges
while edge is not None:
sideEdgeList.remove(edge)
if isinstance(edge.Curve, Part.Circle):
# if edge is curved, approximate it with lines based on resolution
nsegments = int(edge.Length / resolution) + 1
step = (p2 - p1) / nsegments
location = p1 + step
while nsegments > 0:
endrad = RadiusAt(edge, location)
endz = edge.valueAt(location).z
profile.append(endrad)
profile.append(endz)
location += step
nsegments -= 1
else:
endrad = RadiusAt(edge, p2)
endz = edge.valueAt(p2).z
profile.append(endrad)
profile.append(endz)
edge, p1, p2 = self.FindClosestEdge(sideEdgeList, endrad, endz)
if edge is None:
break
startrad = RadiusAt(edge, p1)
if not IsSame(startrad, endrad):
profile.append(startrad)
startz = edge.valueAt(p1).z
profile.append(startz)
return profile
def Activate(self):
"""Invoke the simulator task panel"""
self.initdone = False
self.taskForm = CAMSimTaskUi(self)
form = self.taskForm.form
self.Connect(form.toolButtonPlay, self.SimPlay)
form.sliderAccuracy.valueChanged.connect(self.onAccuracyBarChange)
self.onAccuracyBarChange()
self._populateJobSelection(form)
form.comboJobs.currentIndexChanged.connect(self.onJobChange)
self.onJobChange()
form.listOperations.itemChanged.connect(self.onOperationItemChange)
FreeCADGui.Control.showDialog(self.taskForm)
self.disableAnim = False
self.firstDrill = True
self.millSim = CAMSimulator.PathSim()
self.initdone = True
self.job = self.jobs[self.taskForm.form.comboJobs.currentIndex()]
# self.SetupSimulation()
def _populateJobSelection(self, form):
"""Make Job selection combobox"""
setJobIdx = 0
jobName = ""
jIdx = 0
# Get list of Job objects in active document
jobList = FreeCAD.ActiveDocument.findObjects("Path::FeaturePython", "Job.*")
jCnt = len(jobList)
# Check if user has selected a specific job for simulation
guiSelection = FreeCADGui.Selection.getSelectionEx()
if guiSelection: # Identify job selected by user
sel = guiSelection[0]
if hasattr(sel.Object, "Proxy") and isinstance(sel.Object.Proxy, PathJob.ObjectJob):
jobName = sel.Object.Name
FreeCADGui.Selection.clearSelection()
# populate the job selection combobox
form.comboJobs.blockSignals(True)
form.comboJobs.clear()
form.comboJobs.blockSignals(False)
for j in jobList:
form.comboJobs.addItem(j.ViewObject.Icon, j.Label)
self.jobs.append(j)
if j.Name == jobName or jCnt == 1:
setJobIdx = jIdx
jIdx += 1
# Preselect GUI-selected job in the combobox
if jobName or jCnt == 1:
form.comboJobs.setCurrentIndex(setJobIdx)
else:
form.comboJobs.setCurrentIndex(0)
def SetupSimulation(self):
"""Prepare all selected job operations for simulation"""
form = self.taskForm.form
self.activeOps = []
self.numCommands = 0
self.ioperation = 0
for i in range(form.listOperations.count()):
if form.listOperations.item(i).checkState() == QtCore.Qt.CheckState.Checked:
self.firstDrill = True
self.activeOps.append(self.operations[i])
self.numCommands += len(self.operations[i].Path.Commands)
self.stock = self.job.Stock.Shape
self.busy = False
def onJobChange(self):
"""When a new job is selected from the drop-down, update job operation list"""
form = self.taskForm.form
j = self.jobs[form.comboJobs.currentIndex()]
self.job = j
form.listOperations.clear()
self.operations = []
for op in j.Operations.OutList:
if PathUtil.opProperty(op, "Active"):
listItem = QtGui.QListWidgetItem(op.ViewObject.Icon, op.Label)
listItem.setFlags(listItem.flags() | QtCore.Qt.ItemIsUserCheckable)
listItem.setCheckState(QtCore.Qt.CheckState.Checked)
self.operations.append(op)
form.listOperations.addItem(listItem)
if len(j.Model.OutList) > 0:
self.baseShape = j.Model.OutList[0].Shape
else:
self.baseShape = None
def onAccuracyBarChange(self):
"""Update simulation quality"""
form = self.taskForm.form
self.quality = form.sliderAccuracy.value()
qualText = QtCore.QT_TRANSLATE_NOOP("CAM_Simulator", "High")
if self.quality < 4:
qualText = QtCore.QT_TRANSLATE_NOOP("CAM_Simulator", "Low")
elif self.quality < 9:
qualText = QtCore.QT_TRANSLATE_NOOP("CAM_Simulator", "Medium")
form.labelAccuracy.setText(qualText)
def onOperationItemChange(self, _item):
"""Check if at least one operation is selected to enable the Play button"""
playvalid = False
form = self.taskForm.form
for i in range(form.listOperations.count()):
if form.listOperations.item(i).checkState() == QtCore.Qt.CheckState.Checked:
playvalid = True
break
form.toolButtonPlay.setEnabled(playvalid)
def SimPlay(self):
"""Activate the simulation"""
self.SetupSimulation()
self.millSim.ResetSimulation()
for op in self.activeOps:
tool = PathDressup.toolController(op).Tool
toolNumber = PathDressup.toolController(op).ToolNumber
toolProfile = self.GetToolProfile(tool, 0.5)
self.millSim.AddTool(toolProfile, toolNumber, tool.Diameter, 1)
opCommands = PathUtils.getPathWithPlacement(op).Commands
for cmd in opCommands:
self.millSim.AddCommand(cmd)
self.millSim.BeginSimulation(self.stock, self.quality)
if self.baseShape is not None:
self.millSim.SetBaseShape(self.baseShape, 1)
def cancel(self):
"""Cancel the simulation"""
class CommandCAMSimulate:
"""FreeCAD invoke simulation task panel command"""
def GetResources(self):
"""Command info"""
return {
"Pixmap": "CAM_SimulatorGL",
"MenuText": QtCore.QT_TRANSLATE_NOOP("CAM_Simulator", "CAM Simulator"),
"Accel": "P, N",
"ToolTip": QtCore.QT_TRANSLATE_NOOP("CAM_Simulator", "Simulates G-code on stock"),
}
def IsActive(self):
"""Command is active if at least one CAM job exists"""
if FreeCAD.ActiveDocument is not None:
for o in FreeCAD.ActiveDocument.Objects:
if o.Name[:3] == "Job":
return True
return False
def Activated(self):
"""Activate the simulation"""
CamSimulation = CAMSimulation()
CamSimulation.Activate()
if FreeCAD.GuiUp:
# register the FreeCAD command
FreeCADGui.addCommand("CAM_SimulatorGL", CommandCAMSimulate())
FreeCAD.Console.PrintLog("Loading PathSimulator Gui… done\n")
|