mirror of
https://git.mirrors.martin98.com/https://github.com/Ultimaker/Cura
synced 2025-08-17 03:55:53 +08:00
Merge branch 'master' of github.com:Ultimaker/Cura
This commit is contained in:
commit
be021b8fac
@ -631,7 +631,7 @@ class CuraApplication(QtApplication):
|
|||||||
# Cura has multiple locations where instance containers need to be saved, so we need to handle this differently.
|
# Cura has multiple locations where instance containers need to be saved, so we need to handle this differently.
|
||||||
def saveSettings(self):
|
def saveSettings(self):
|
||||||
if not self.started or not self._save_data_enabled:
|
if not self.started or not self._save_data_enabled:
|
||||||
# Do not do saving during application start or when data should not be safed on quit.
|
# Do not do saving during application start or when data should not be saved on quit.
|
||||||
return
|
return
|
||||||
ContainerRegistry.getInstance().saveDirtyContainers()
|
ContainerRegistry.getInstance().saveDirtyContainers()
|
||||||
self.savePreferences()
|
self.savePreferences()
|
||||||
|
@ -1,112 +1,147 @@
|
|||||||
# Copyright (c) 2015 Ultimaker B.V.
|
# Copyright (c) 2018 Ultimaker B.V.
|
||||||
# Cura is released under the terms of the LGPLv3 or higher.
|
# Cura is released under the terms of the LGPLv3 or higher.
|
||||||
|
|
||||||
from UM.Scene.Iterator import Iterator
|
import sys
|
||||||
from UM.Scene.SceneNode import SceneNode
|
|
||||||
from functools import cmp_to_key
|
from shapely import affinity
|
||||||
from UM.Application import Application
|
from shapely.geometry import Polygon
|
||||||
|
|
||||||
|
from UM.Scene.Iterator.Iterator import Iterator
|
||||||
|
from UM.Scene.SceneNode import SceneNode
|
||||||
|
|
||||||
|
|
||||||
|
# Iterator that determines the object print order when one-at a time mode is enabled.
|
||||||
|
#
|
||||||
|
# In one-at-a-time mode, only one extruder can be enabled to print. In order to maximize the number of objects we can
|
||||||
|
# print, we need to print from the corner that's closest to the extruder that's being used. Here is an illustration:
|
||||||
|
#
|
||||||
|
# +--------------------------------+
|
||||||
|
# | |
|
||||||
|
# | |
|
||||||
|
# | | - Rectangle represents the complete print head including fans, etc.
|
||||||
|
# | X X | y - X's are the nozzles
|
||||||
|
# | (1) (2) | ^
|
||||||
|
# | | |
|
||||||
|
# +--------------------------------+ +--> x
|
||||||
|
#
|
||||||
|
# In this case, the nozzles are symmetric, nozzle (1) is closer to the bottom left corner while (2) is closer to the
|
||||||
|
# bottom right. If we use nozzle (1) to print, then we better off printing from the bottom left corner so the print
|
||||||
|
# head will not collide into an object on its top-right side, which is a very large unused area. Following the same
|
||||||
|
# logic, if we are printing with nozzle (2), then it's better to print from the bottom-right side.
|
||||||
|
#
|
||||||
|
# This iterator determines the print order following the rules above.
|
||||||
|
#
|
||||||
|
class OneAtATimeIterator(Iterator):
|
||||||
|
|
||||||
## Iterator that returns a list of nodes in the order that they need to be printed
|
|
||||||
# If there is no solution an empty list is returned.
|
|
||||||
# Take note that the list of nodes can have children (that may or may not contain mesh data)
|
|
||||||
class OneAtATimeIterator(Iterator.Iterator):
|
|
||||||
def __init__(self, scene_node):
|
def __init__(self, scene_node):
|
||||||
super().__init__(scene_node) # Call super to make multiple inheritence work.
|
from cura.CuraApplication import CuraApplication
|
||||||
self._hit_map = [[]]
|
self._global_stack = CuraApplication.getInstance().getGlobalContainerStack()
|
||||||
self._original_node_list = []
|
self._original_node_list = []
|
||||||
|
|
||||||
|
super().__init__(scene_node) # Call super to make multiple inheritance work.
|
||||||
|
|
||||||
|
def getMachineNearestCornerToExtruder(self, global_stack):
|
||||||
|
head_and_fans_coordinates = global_stack.getHeadAndFansCoordinates()
|
||||||
|
|
||||||
|
used_extruder = None
|
||||||
|
for extruder in global_stack.extruders.values():
|
||||||
|
if extruder.isEnabled:
|
||||||
|
used_extruder = extruder
|
||||||
|
break
|
||||||
|
|
||||||
|
extruder_offsets = [used_extruder.getProperty("machine_nozzle_offset_x", "value"),
|
||||||
|
used_extruder.getProperty("machine_nozzle_offset_y", "value")]
|
||||||
|
|
||||||
|
# find the corner that's closest to the origin
|
||||||
|
min_distance2 = sys.maxsize
|
||||||
|
min_coord = None
|
||||||
|
for coord in head_and_fans_coordinates:
|
||||||
|
x = coord[0] - extruder_offsets[0]
|
||||||
|
y = coord[1] - extruder_offsets[1]
|
||||||
|
|
||||||
|
distance2 = x**2 + y**2
|
||||||
|
if distance2 <= min_distance2:
|
||||||
|
min_distance2 = distance2
|
||||||
|
min_coord = coord
|
||||||
|
|
||||||
|
return min_coord
|
||||||
|
|
||||||
|
def _checkForCollisions(self) -> bool:
|
||||||
|
all_nodes = []
|
||||||
|
for node in self._scene_node.getChildren():
|
||||||
|
if not issubclass(type(node), SceneNode):
|
||||||
|
continue
|
||||||
|
convex_hull = node.callDecoration("getConvexHullHead")
|
||||||
|
if not convex_hull:
|
||||||
|
continue
|
||||||
|
|
||||||
|
bounding_box = node.getBoundingBox()
|
||||||
|
from UM.Math.Polygon import Polygon
|
||||||
|
bounding_box_polygon = Polygon([[bounding_box.left, bounding_box.front],
|
||||||
|
[bounding_box.left, bounding_box.back],
|
||||||
|
[bounding_box.right, bounding_box.back],
|
||||||
|
[bounding_box.right, bounding_box.front]])
|
||||||
|
|
||||||
|
all_nodes.append({"node": node,
|
||||||
|
"bounding_box": bounding_box_polygon,
|
||||||
|
"convex_hull": convex_hull})
|
||||||
|
|
||||||
|
has_collisions = False
|
||||||
|
for i, node_dict in enumerate(all_nodes):
|
||||||
|
for j, other_node_dict in enumerate(all_nodes):
|
||||||
|
if i == j:
|
||||||
|
continue
|
||||||
|
if node_dict["bounding_box"].intersectsPolygon(other_node_dict["convex_hull"]):
|
||||||
|
has_collisions = True
|
||||||
|
break
|
||||||
|
|
||||||
|
if has_collisions:
|
||||||
|
break
|
||||||
|
|
||||||
|
return has_collisions
|
||||||
|
|
||||||
def _fillStack(self):
|
def _fillStack(self):
|
||||||
|
min_coord = self.getMachineNearestCornerToExtruder(self._global_stack)
|
||||||
|
transform_x = -int(round(min_coord[0] / abs(min_coord[0])))
|
||||||
|
transform_y = -int(round(min_coord[1] / abs(min_coord[1])))
|
||||||
|
|
||||||
|
machine_size = [self._global_stack.getProperty("machine_width", "value"),
|
||||||
|
self._global_stack.getProperty("machine_depth", "value")]
|
||||||
|
|
||||||
|
def flip_x(polygon):
|
||||||
|
tm2 = [-1, 0, 0, 1, 0, 0]
|
||||||
|
return affinity.affine_transform(affinity.translate(polygon, xoff = -machine_size[0]), tm2)
|
||||||
|
|
||||||
|
def flip_y(polygon):
|
||||||
|
tm2 = [1, 0, 0, -1, 0, 0]
|
||||||
|
return affinity.affine_transform(affinity.translate(polygon, yoff = -machine_size[1]), tm2)
|
||||||
|
|
||||||
|
if self._checkForCollisions():
|
||||||
|
self._node_stack = []
|
||||||
|
return
|
||||||
|
|
||||||
node_list = []
|
node_list = []
|
||||||
for node in self._scene_node.getChildren():
|
for node in self._scene_node.getChildren():
|
||||||
if not issubclass(type(node), SceneNode):
|
if not issubclass(type(node), SceneNode):
|
||||||
continue
|
continue
|
||||||
|
|
||||||
if node.callDecoration("getConvexHull"):
|
convex_hull = node.callDecoration("getConvexHull")
|
||||||
node_list.append(node)
|
if convex_hull:
|
||||||
|
xmin = min(x for x, _ in convex_hull._points)
|
||||||
|
xmax = max(x for x, _ in convex_hull._points)
|
||||||
|
ymin = min(y for _, y in convex_hull._points)
|
||||||
|
ymax = max(y for _, y in convex_hull._points)
|
||||||
|
|
||||||
|
convex_hull_polygon = Polygon.from_bounds(xmin, ymin, xmax, ymax)
|
||||||
|
if transform_x < 0:
|
||||||
|
convex_hull_polygon = flip_x(convex_hull_polygon)
|
||||||
|
if transform_y < 0:
|
||||||
|
convex_hull_polygon = flip_y(convex_hull_polygon)
|
||||||
|
|
||||||
if len(node_list) < 2:
|
node_list.append({"node": node,
|
||||||
self._node_stack = node_list[:]
|
"min_coord": [convex_hull_polygon.bounds[0], convex_hull_polygon.bounds[1]],
|
||||||
return
|
})
|
||||||
|
|
||||||
# Copy the list
|
node_list = sorted(node_list, key = lambda d: d["min_coord"])
|
||||||
self._original_node_list = node_list[:]
|
|
||||||
|
|
||||||
## Initialise the hit map (pre-compute all hits between all objects)
|
|
||||||
self._hit_map = [[self._checkHit(i,j) for i in node_list] for j in node_list]
|
|
||||||
|
|
||||||
# Check if we have to files that block eachother. If this is the case, there is no solution!
|
|
||||||
for a in range(0,len(node_list)):
|
|
||||||
for b in range(0,len(node_list)):
|
|
||||||
if a != b and self._hit_map[a][b] and self._hit_map[b][a]:
|
|
||||||
return
|
|
||||||
|
|
||||||
# Sort the original list so that items that block the most other objects are at the beginning.
|
|
||||||
# This does not decrease the worst case running time, but should improve it in most cases.
|
|
||||||
sorted(node_list, key = cmp_to_key(self._calculateScore))
|
|
||||||
|
|
||||||
todo_node_list = [_ObjectOrder([], node_list)]
|
|
||||||
while len(todo_node_list) > 0:
|
|
||||||
current = todo_node_list.pop()
|
|
||||||
for node in current.todo:
|
|
||||||
# Check if the object can be placed with what we have and still allows for a solution in the future
|
|
||||||
if not self._checkHitMultiple(node, current.order) and not self._checkBlockMultiple(node, current.todo):
|
|
||||||
# We found a possible result. Create new todo & order list.
|
|
||||||
new_todo_list = current.todo[:]
|
|
||||||
new_todo_list.remove(node)
|
|
||||||
new_order = current.order[:] + [node]
|
|
||||||
if len(new_todo_list) == 0:
|
|
||||||
# We have no more nodes to check, so quit looking.
|
|
||||||
todo_node_list = None
|
|
||||||
self._node_stack = new_order
|
|
||||||
|
|
||||||
return
|
|
||||||
todo_node_list.append(_ObjectOrder(new_order, new_todo_list))
|
|
||||||
self._node_stack = [] #No result found!
|
|
||||||
|
|
||||||
|
|
||||||
# Check if first object can be printed before the provided list (using the hit map)
|
|
||||||
def _checkHitMultiple(self, node, other_nodes):
|
|
||||||
node_index = self._original_node_list.index(node)
|
|
||||||
for other_node in other_nodes:
|
|
||||||
other_node_index = self._original_node_list.index(other_node)
|
|
||||||
if self._hit_map[node_index][other_node_index]:
|
|
||||||
return True
|
|
||||||
return False
|
|
||||||
|
|
||||||
def _checkBlockMultiple(self, node, other_nodes):
|
|
||||||
node_index = self._original_node_list.index(node)
|
|
||||||
for other_node in other_nodes:
|
|
||||||
other_node_index = self._original_node_list.index(other_node)
|
|
||||||
if self._hit_map[other_node_index][node_index] and node_index != other_node_index:
|
|
||||||
return True
|
|
||||||
return False
|
|
||||||
|
|
||||||
## Calculate score simply sums the number of other objects it 'blocks'
|
|
||||||
def _calculateScore(self, a, b):
|
|
||||||
score_a = sum(self._hit_map[self._original_node_list.index(a)])
|
|
||||||
score_b = sum(self._hit_map[self._original_node_list.index(b)])
|
|
||||||
return score_a - score_b
|
|
||||||
|
|
||||||
# Checks if A can be printed before B
|
|
||||||
def _checkHit(self, a, b):
|
|
||||||
if a == b:
|
|
||||||
return False
|
|
||||||
|
|
||||||
overlap = a.callDecoration("getConvexHullBoundary").intersectsPolygon(b.callDecoration("getConvexHullHeadFull"))
|
|
||||||
if overlap:
|
|
||||||
return True
|
|
||||||
else:
|
|
||||||
return False
|
|
||||||
|
|
||||||
|
|
||||||
## Internal object used to keep track of a possible order in which to print objects.
|
|
||||||
class _ObjectOrder():
|
|
||||||
def __init__(self, order, todo):
|
|
||||||
"""
|
|
||||||
:param order: List of indexes in which to print objects, ordered by printing order.
|
|
||||||
:param todo: List of indexes which are not yet inserted into the order list.
|
|
||||||
"""
|
|
||||||
self.order = order
|
|
||||||
self.todo = todo
|
|
||||||
|
|
||||||
|
self._node_stack = [d["node"] for d in node_list]
|
||||||
|
@ -229,7 +229,7 @@ class ConvexHullDecorator(SceneNodeDecorator):
|
|||||||
return offset_hull
|
return offset_hull
|
||||||
|
|
||||||
def _getHeadAndFans(self):
|
def _getHeadAndFans(self):
|
||||||
return Polygon(numpy.array(self._global_stack.getProperty("machine_head_with_fans_polygon", "value"), numpy.float32))
|
return Polygon(numpy.array(self._global_stack.getHeadAndFansCoordinates(), numpy.float32))
|
||||||
|
|
||||||
def _compute2DConvexHeadFull(self):
|
def _compute2DConvexHeadFull(self):
|
||||||
return self._compute2DConvexHull().getMinkowskiHull(self._getHeadAndFans())
|
return self._compute2DConvexHull().getMinkowskiHull(self._getHeadAndFans())
|
||||||
|
@ -102,6 +102,9 @@ class GlobalStack(CuraContainerStack):
|
|||||||
|
|
||||||
# Handle the "resolve" property.
|
# Handle the "resolve" property.
|
||||||
#TODO: Why the hell does this involve threading?
|
#TODO: Why the hell does this involve threading?
|
||||||
|
# Answer: Because if multiple threads start resolving properties that have the same underlying properties that's
|
||||||
|
# related, without taking a note of which thread a resolve paths belongs to, they can bump into each other and
|
||||||
|
# generate unexpected behaviours.
|
||||||
if self._shouldResolve(key, property_name, context):
|
if self._shouldResolve(key, property_name, context):
|
||||||
current_thread = threading.current_thread()
|
current_thread = threading.current_thread()
|
||||||
self._resolving_settings[current_thread.name].add(key)
|
self._resolving_settings[current_thread.name].add(key)
|
||||||
@ -178,6 +181,9 @@ class GlobalStack(CuraContainerStack):
|
|||||||
return False
|
return False
|
||||||
return True
|
return True
|
||||||
|
|
||||||
|
def getHeadAndFansCoordinates(self):
|
||||||
|
return self.getProperty("machine_head_with_fans_polygon", "value")
|
||||||
|
|
||||||
|
|
||||||
## private:
|
## private:
|
||||||
global_stack_mime = MimeType(
|
global_stack_mime = MimeType(
|
||||||
|
@ -21,9 +21,6 @@ from UM.Settings.SettingFunction import SettingFunction
|
|||||||
from UM.Signal import postponeSignals, CompressTechnique
|
from UM.Signal import postponeSignals, CompressTechnique
|
||||||
|
|
||||||
import cura.CuraApplication
|
import cura.CuraApplication
|
||||||
from cura.Machines.ContainerNode import ContainerNode #For typing.
|
|
||||||
from cura.Machines.QualityChangesGroup import QualityChangesGroup #For typing.
|
|
||||||
from cura.Machines.QualityGroup import QualityGroup #For typing.
|
|
||||||
from cura.Machines.QualityManager import getMachineDefinitionIDForQualitySearch
|
from cura.Machines.QualityManager import getMachineDefinitionIDForQualitySearch
|
||||||
from cura.PrinterOutputDevice import PrinterOutputDevice
|
from cura.PrinterOutputDevice import PrinterOutputDevice
|
||||||
from cura.PrinterOutput.ConfigurationModel import ConfigurationModel
|
from cura.PrinterOutput.ConfigurationModel import ConfigurationModel
|
||||||
@ -44,12 +41,16 @@ if TYPE_CHECKING:
|
|||||||
from cura.Machines.MaterialManager import MaterialManager
|
from cura.Machines.MaterialManager import MaterialManager
|
||||||
from cura.Machines.QualityManager import QualityManager
|
from cura.Machines.QualityManager import QualityManager
|
||||||
from cura.Machines.VariantManager import VariantManager
|
from cura.Machines.VariantManager import VariantManager
|
||||||
|
from cura.Machines.ContainerNode import ContainerNode
|
||||||
|
from cura.Machines.QualityChangesGroup import QualityChangesGroup
|
||||||
|
from cura.Machines.QualityGroup import QualityGroup
|
||||||
|
|
||||||
|
|
||||||
class MachineManager(QObject):
|
class MachineManager(QObject):
|
||||||
def __init__(self, parent: QObject = None) -> None:
|
def __init__(self, parent: QObject = None) -> None:
|
||||||
super().__init__(parent)
|
super().__init__(parent)
|
||||||
|
|
||||||
self._active_container_stack = None # type: Optional[ExtruderManager]
|
self._active_container_stack = None # type: Optional[ExtruderStack]
|
||||||
self._global_container_stack = None # type: Optional[GlobalStack]
|
self._global_container_stack = None # type: Optional[GlobalStack]
|
||||||
|
|
||||||
self._current_root_material_id = {} # type: Dict[str, str]
|
self._current_root_material_id = {} # type: Dict[str, str]
|
||||||
@ -1087,7 +1088,7 @@ class MachineManager(QObject):
|
|||||||
self.activeQualityGroupChanged.emit()
|
self.activeQualityGroupChanged.emit()
|
||||||
self.activeQualityChangesGroupChanged.emit()
|
self.activeQualityChangesGroupChanged.emit()
|
||||||
|
|
||||||
def _setQualityGroup(self, quality_group: Optional[QualityGroup], empty_quality_changes: bool = True) -> None:
|
def _setQualityGroup(self, quality_group: Optional["QualityGroup"], empty_quality_changes: bool = True) -> None:
|
||||||
if self._global_container_stack is None:
|
if self._global_container_stack is None:
|
||||||
return
|
return
|
||||||
if quality_group is None:
|
if quality_group is None:
|
||||||
@ -1118,7 +1119,7 @@ class MachineManager(QObject):
|
|||||||
self.activeQualityGroupChanged.emit()
|
self.activeQualityGroupChanged.emit()
|
||||||
self.activeQualityChangesGroupChanged.emit()
|
self.activeQualityChangesGroupChanged.emit()
|
||||||
|
|
||||||
def _fixQualityChangesGroupToNotSupported(self, quality_changes_group: QualityChangesGroup) -> None:
|
def _fixQualityChangesGroupToNotSupported(self, quality_changes_group: "QualityChangesGroup") -> None:
|
||||||
nodes = [quality_changes_group.node_for_global] + list(quality_changes_group.nodes_for_extruders.values())
|
nodes = [quality_changes_group.node_for_global] + list(quality_changes_group.nodes_for_extruders.values())
|
||||||
containers = [n.getContainer() for n in nodes if n is not None]
|
containers = [n.getContainer() for n in nodes if n is not None]
|
||||||
for container in containers:
|
for container in containers:
|
||||||
@ -1126,7 +1127,7 @@ class MachineManager(QObject):
|
|||||||
container.setMetaDataEntry("quality_type", "not_supported")
|
container.setMetaDataEntry("quality_type", "not_supported")
|
||||||
quality_changes_group.quality_type = "not_supported"
|
quality_changes_group.quality_type = "not_supported"
|
||||||
|
|
||||||
def _setQualityChangesGroup(self, quality_changes_group: QualityChangesGroup) -> None:
|
def _setQualityChangesGroup(self, quality_changes_group: "QualityChangesGroup") -> None:
|
||||||
if self._global_container_stack is None:
|
if self._global_container_stack is None:
|
||||||
return #Can't change that.
|
return #Can't change that.
|
||||||
quality_type = quality_changes_group.quality_type
|
quality_type = quality_changes_group.quality_type
|
||||||
@ -1170,20 +1171,20 @@ class MachineManager(QObject):
|
|||||||
self.activeQualityGroupChanged.emit()
|
self.activeQualityGroupChanged.emit()
|
||||||
self.activeQualityChangesGroupChanged.emit()
|
self.activeQualityChangesGroupChanged.emit()
|
||||||
|
|
||||||
def _setVariantNode(self, position: str, container_node: ContainerNode) -> None:
|
def _setVariantNode(self, position: str, container_node: "ContainerNode") -> None:
|
||||||
if container_node.getContainer() is None or self._global_container_stack is None:
|
if container_node.getContainer() is None or self._global_container_stack is None:
|
||||||
return
|
return
|
||||||
self._global_container_stack.extruders[position].variant = container_node.getContainer()
|
self._global_container_stack.extruders[position].variant = container_node.getContainer()
|
||||||
self.activeVariantChanged.emit()
|
self.activeVariantChanged.emit()
|
||||||
|
|
||||||
def _setGlobalVariant(self, container_node: ContainerNode) -> None:
|
def _setGlobalVariant(self, container_node: "ContainerNode") -> None:
|
||||||
if self._global_container_stack is None:
|
if self._global_container_stack is None:
|
||||||
return
|
return
|
||||||
self._global_container_stack.variant = container_node.getContainer()
|
self._global_container_stack.variant = container_node.getContainer()
|
||||||
if not self._global_container_stack.variant:
|
if not self._global_container_stack.variant:
|
||||||
self._global_container_stack.variant = self._application.empty_variant_container
|
self._global_container_stack.variant = self._application.empty_variant_container
|
||||||
|
|
||||||
def _setMaterial(self, position: str, container_node: ContainerNode = None) -> None:
|
def _setMaterial(self, position: str, container_node: Optional["ContainerNode"] = None) -> None:
|
||||||
if self._global_container_stack is None:
|
if self._global_container_stack is None:
|
||||||
return
|
return
|
||||||
if container_node and container_node.getContainer():
|
if container_node and container_node.getContainer():
|
||||||
@ -1388,7 +1389,7 @@ class MachineManager(QObject):
|
|||||||
return bool(containers)
|
return bool(containers)
|
||||||
|
|
||||||
@pyqtSlot("QVariant")
|
@pyqtSlot("QVariant")
|
||||||
def setGlobalVariant(self, container_node: ContainerNode) -> None:
|
def setGlobalVariant(self, container_node: "ContainerNode") -> None:
|
||||||
self.blurSettings.emit()
|
self.blurSettings.emit()
|
||||||
with postponeSignals(*self._getContainerChangedSignals(), compress = CompressTechnique.CompressPerParameterValue):
|
with postponeSignals(*self._getContainerChangedSignals(), compress = CompressTechnique.CompressPerParameterValue):
|
||||||
self._setGlobalVariant(container_node)
|
self._setGlobalVariant(container_node)
|
||||||
@ -1438,7 +1439,7 @@ class MachineManager(QObject):
|
|||||||
self.setVariant(position, variant_node)
|
self.setVariant(position, variant_node)
|
||||||
|
|
||||||
@pyqtSlot(str, "QVariant")
|
@pyqtSlot(str, "QVariant")
|
||||||
def setVariant(self, position: str, container_node: ContainerNode) -> None:
|
def setVariant(self, position: str, container_node: "ContainerNode") -> None:
|
||||||
position = str(position)
|
position = str(position)
|
||||||
self.blurSettings.emit()
|
self.blurSettings.emit()
|
||||||
with postponeSignals(*self._getContainerChangedSignals(), compress = CompressTechnique.CompressPerParameterValue):
|
with postponeSignals(*self._getContainerChangedSignals(), compress = CompressTechnique.CompressPerParameterValue):
|
||||||
@ -1462,7 +1463,7 @@ class MachineManager(QObject):
|
|||||||
## Optionally provide global_stack if you want to use your own
|
## Optionally provide global_stack if you want to use your own
|
||||||
# The active global_stack is treated differently.
|
# The active global_stack is treated differently.
|
||||||
@pyqtSlot(QObject)
|
@pyqtSlot(QObject)
|
||||||
def setQualityGroup(self, quality_group: QualityGroup, no_dialog: bool = False, global_stack: Optional["GlobalStack"] = None) -> None:
|
def setQualityGroup(self, quality_group: "QualityGroup", no_dialog: bool = False, global_stack: Optional["GlobalStack"] = None) -> None:
|
||||||
if global_stack is not None and global_stack != self._global_container_stack:
|
if global_stack is not None and global_stack != self._global_container_stack:
|
||||||
if quality_group is None:
|
if quality_group is None:
|
||||||
Logger.log("e", "Could not set quality group because quality group is None")
|
Logger.log("e", "Could not set quality group because quality group is None")
|
||||||
@ -1489,11 +1490,11 @@ class MachineManager(QObject):
|
|||||||
self._application.discardOrKeepProfileChanges()
|
self._application.discardOrKeepProfileChanges()
|
||||||
|
|
||||||
@pyqtProperty(QObject, fset = setQualityGroup, notify = activeQualityGroupChanged)
|
@pyqtProperty(QObject, fset = setQualityGroup, notify = activeQualityGroupChanged)
|
||||||
def activeQualityGroup(self) -> Optional[QualityGroup]:
|
def activeQualityGroup(self) -> Optional["QualityGroup"]:
|
||||||
return self._current_quality_group
|
return self._current_quality_group
|
||||||
|
|
||||||
@pyqtSlot(QObject)
|
@pyqtSlot(QObject)
|
||||||
def setQualityChangesGroup(self, quality_changes_group: QualityChangesGroup, no_dialog: bool = False) -> None:
|
def setQualityChangesGroup(self, quality_changes_group: "QualityChangesGroup", no_dialog: bool = False) -> None:
|
||||||
self.blurSettings.emit()
|
self.blurSettings.emit()
|
||||||
with postponeSignals(*self._getContainerChangedSignals(), compress = CompressTechnique.CompressPerParameterValue):
|
with postponeSignals(*self._getContainerChangedSignals(), compress = CompressTechnique.CompressPerParameterValue):
|
||||||
self._setQualityChangesGroup(quality_changes_group)
|
self._setQualityChangesGroup(quality_changes_group)
|
||||||
@ -1512,7 +1513,7 @@ class MachineManager(QObject):
|
|||||||
stack.userChanges.clear()
|
stack.userChanges.clear()
|
||||||
|
|
||||||
@pyqtProperty(QObject, fset = setQualityChangesGroup, notify = activeQualityChangesGroupChanged)
|
@pyqtProperty(QObject, fset = setQualityChangesGroup, notify = activeQualityChangesGroupChanged)
|
||||||
def activeQualityChangesGroup(self) -> Optional[QualityChangesGroup]:
|
def activeQualityChangesGroup(self) -> Optional["QualityChangesGroup"]:
|
||||||
return self._current_quality_changes_group
|
return self._current_quality_changes_group
|
||||||
|
|
||||||
@pyqtProperty(str, notify = activeQualityGroupChanged)
|
@pyqtProperty(str, notify = activeQualityGroupChanged)
|
||||||
|
@ -16,9 +16,9 @@ Item
|
|||||||
|
|
||||||
MouseArea
|
MouseArea
|
||||||
{
|
{
|
||||||
anchors.fill: parent
|
anchors.fill: parent
|
||||||
onClicked: OutputDevice.setActivePrinter(null)
|
onClicked: OutputDevice.setActivePrinter(null)
|
||||||
z: 0
|
z: 0
|
||||||
}
|
}
|
||||||
|
|
||||||
Button
|
Button
|
||||||
@ -28,7 +28,7 @@ Item
|
|||||||
anchors.bottomMargin: UM.Theme.getSize("default_margin").width
|
anchors.bottomMargin: UM.Theme.getSize("default_margin").width
|
||||||
anchors.right: cameraImage.right
|
anchors.right: cameraImage.right
|
||||||
|
|
||||||
// TODO: Harcoded sizes
|
// TODO: Hardcoded sizes
|
||||||
width: 20 * screenScaleFactor
|
width: 20 * screenScaleFactor
|
||||||
height: 20 * screenScaleFactor
|
height: 20 * screenScaleFactor
|
||||||
|
|
||||||
|
Loading…
x
Reference in New Issue
Block a user