PlotCanvas.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438
  1. # ##########################################################
  2. # FlatCAM: 2D Post-processing for Manufacturing #
  3. # Author: Dennis Hayrullin (c) #
  4. # Date: 2016 #
  5. # MIT Licence #
  6. # ##########################################################
  7. from PyQt5 import QtCore
  8. import logging
  9. from flatcamGUI.VisPyCanvas import VisPyCanvas, time, Color
  10. from flatcamGUI.VisPyVisuals import ShapeGroup, ShapeCollection, TextCollection, TextGroup, Cursor
  11. from vispy.scene.visuals import InfiniteLine, Line
  12. import numpy as np
  13. from vispy.geometry import Rect
  14. log = logging.getLogger('base')
  15. class PlotCanvas(QtCore.QObject, VisPyCanvas):
  16. """
  17. Class handling the plotting area in the application.
  18. """
  19. def __init__(self, container, fcapp):
  20. """
  21. The constructor configures the VisPy figure that
  22. will contain all plots, creates the base axes and connects
  23. events to the plotting area.
  24. :param container: The parent container in which to draw plots.
  25. :rtype: PlotCanvas
  26. """
  27. super(PlotCanvas, self).__init__()
  28. # VisPyCanvas.__init__(self)
  29. # VisPyCanvas does not allow new attributes. Override.
  30. self.unfreeze()
  31. self.fcapp = fcapp
  32. # Parent container
  33. self.container = container
  34. settings = QtCore.QSettings("Open Source", "FlatCAM")
  35. if settings.contains("theme"):
  36. theme = settings.value('theme', type=str)
  37. else:
  38. theme = 'white'
  39. if theme == 'white':
  40. self.line_color = (0.3, 0.0, 0.0, 1.0)
  41. else:
  42. self.line_color = (0.4, 0.4, 0.4, 1.0)
  43. # workspace lines; I didn't use the rectangle because I didn't want to add another VisPy Node,
  44. # which might decrease performance
  45. # self.b_line, self.r_line, self.t_line, self.l_line = None, None, None, None
  46. self.workspace_line = None
  47. self.pagesize_dict = dict()
  48. self.pagesize_dict.update(
  49. {
  50. 'A0': (841, 1189),
  51. 'A1': (594, 841),
  52. 'A2': (420, 594),
  53. 'A3': (297, 420),
  54. 'A4': (210, 297),
  55. 'A5': (148, 210),
  56. 'A6': (105, 148),
  57. 'A7': (74, 105),
  58. 'A8': (52, 74),
  59. 'A9': (37, 52),
  60. 'A10': (26, 37),
  61. 'B0': (1000, 1414),
  62. 'B1': (707, 1000),
  63. 'B2': (500, 707),
  64. 'B3': (353, 500),
  65. 'B4': (250, 353),
  66. 'B5': (176, 250),
  67. 'B6': (125, 176),
  68. 'B7': (88, 125),
  69. 'B8': (62, 88),
  70. 'B9': (44, 62),
  71. 'B10': (31, 44),
  72. 'C0': (917, 1297),
  73. 'C1': (648, 917),
  74. 'C2': (458, 648),
  75. 'C3': (324, 458),
  76. 'C4': (229, 324),
  77. 'C5': (162, 229),
  78. 'C6': (114, 162),
  79. 'C7': (81, 114),
  80. 'C8': (57, 81),
  81. 'C9': (40, 57),
  82. 'C10': (28, 40),
  83. # American paper sizes
  84. 'LETTER': (8.5*25.4, 11*25.4),
  85. 'LEGAL': (8.5*25.4, 14*25.4),
  86. 'ELEVENSEVENTEEN': (11*25.4, 17*25.4),
  87. # From https://en.wikipedia.org/wiki/Paper_size
  88. 'JUNIOR_LEGAL': (5*25.4, 8*25.4),
  89. 'HALF_LETTER': (5.5*25.4, 8*25.4),
  90. 'GOV_LETTER': (8*25.4, 10.5*25.4),
  91. 'GOV_LEGAL': (8.5*25.4, 13*25.4),
  92. 'LEDGER': (17*25.4, 11*25.4),
  93. }
  94. )
  95. # <VisPyCanvas>
  96. self.create_native()
  97. self.native.setParent(self.fcapp.ui)
  98. # <QtCore.QObject>
  99. self.container.addWidget(self.native)
  100. # ## AXIS # ##
  101. self.v_line = InfiniteLine(pos=0, color=(0.70, 0.3, 0.3, 0.8), vertical=True,
  102. parent=self.view.scene)
  103. self.h_line = InfiniteLine(pos=0, color=(0.70, 0.3, 0.3, 0.8), vertical=False,
  104. parent=self.view.scene)
  105. # draw a rectangle made out of 4 lines on the canvas to serve as a hint for the work area
  106. # all CNC have a limited workspace
  107. if self.fcapp.defaults['global_workspace'] is True:
  108. self.draw_workspace(workspace_size=self.fcapp.defaults["global_workspaceT"])
  109. self.line_parent = None
  110. if self.fcapp.defaults["global_cursor_color_enabled"]:
  111. c_color = Color(self.fcapp.defaults["global_cursor_color"]).rgba
  112. else:
  113. c_color = self.line_color
  114. self.cursor_v_line = InfiniteLine(pos=None, color=c_color, vertical=True,
  115. parent=self.line_parent)
  116. self.cursor_h_line = InfiniteLine(pos=None, color=c_color, vertical=False,
  117. parent=self.line_parent)
  118. # if self.app.defaults['global_workspace'] is True:
  119. # if self.app.ui.general_defaults_form.general_app_group.units_radio.get_value().upper() == 'MM':
  120. # self.wkspace_t = Line(pos=)
  121. self.shape_collections = []
  122. self.shape_collection = self.new_shape_collection()
  123. self.fcapp.pool_recreated.connect(self.on_pool_recreated)
  124. self.text_collection = self.new_text_collection()
  125. # TODO: Should be setting to show/hide CNC job annotations (global or per object)
  126. self.text_collection.enabled = True
  127. self.c = None
  128. self.big_cursor = None
  129. # Keep VisPy canvas happy by letting it be "frozen" again.
  130. self.freeze()
  131. self.fit_view()
  132. self.graph_event_connect('mouse_wheel', self.on_mouse_scroll)
  133. def draw_workspace(self, workspace_size):
  134. """
  135. Draw a rectangular shape on canvas to specify our valid workspace.
  136. :param workspace_size: the workspace size; tuple
  137. :return:
  138. """
  139. try:
  140. if self.fcapp.defaults['units'].upper() == 'MM':
  141. dims = self.pagesize_dict[workspace_size]
  142. else:
  143. dims = (self.pagesize_dict[workspace_size][0]/25.4, self.pagesize_dict[workspace_size][1]/25.4)
  144. except Exception as e:
  145. log.debug("PlotCanvas.draw_workspace() --> %s" % str(e))
  146. return
  147. if self.fcapp.defaults['global_workspace_orientation'] == 'l':
  148. dims = (dims[1], dims[0])
  149. a = np.array([(0, 0), (dims[0], 0), (dims[0], dims[1]), (0, dims[1])])
  150. if not self.workspace_line:
  151. self.workspace_line = Line(pos=np.array((a[0], a[1], a[2], a[3], a[0])), color=(0.70, 0.3, 0.3, 0.7),
  152. antialias=True, method='agg', parent=self.view.scene)
  153. else:
  154. self.workspace_line.parent = self.view.scene
  155. def delete_workspace(self):
  156. try:
  157. self.workspace_line.parent = None
  158. except Exception:
  159. pass
  160. # redraw the workspace lines on the plot by re adding them to the parent view.scene
  161. def restore_workspace(self):
  162. try:
  163. self.workspace_line.parent = self.view.scene
  164. except Exception:
  165. pass
  166. def graph_event_connect(self, event_name, callback):
  167. return getattr(self.events, event_name).connect(callback)
  168. def graph_event_disconnect(self, event_name, callback=None):
  169. if callback is None:
  170. getattr(self.events, event_name).disconnect()
  171. else:
  172. getattr(self.events, event_name).disconnect(callback)
  173. def zoom(self, factor, center=None):
  174. """
  175. Zooms the plot by factor around a given
  176. center point. Takes care of re-drawing.
  177. :param factor: Number by which to scale the plot.
  178. :type factor: float
  179. :param center: Coordinates [x, y] of the point around which to scale the plot.
  180. :type center: list
  181. :return: None
  182. """
  183. self.view.camera.zoom(factor, center)
  184. def new_shape_group(self, shape_collection=None):
  185. if shape_collection:
  186. return ShapeGroup(shape_collection)
  187. return ShapeGroup(self.shape_collection)
  188. def new_shape_collection(self, **kwargs):
  189. # sc = ShapeCollection(parent=self.view.scene, pool=self.app.pool, **kwargs)
  190. # self.shape_collections.append(sc)
  191. # return sc
  192. return ShapeCollection(parent=self.view.scene, pool=self.fcapp.pool, **kwargs)
  193. def new_cursor(self, big=None):
  194. """
  195. Will create a mouse cursor pointer on canvas
  196. :param big: if True will create a mouse cursor made out of infinite lines
  197. :return: the mouse cursor object
  198. """
  199. if big is True:
  200. self.big_cursor = True
  201. self.c = CursorBig()
  202. # in case there are multiple new_cursor calls, best to disconnect first the signals
  203. try:
  204. self.c.mouse_state_updated.disconnect(self.on_mouse_state)
  205. except (TypeError, AttributeError):
  206. pass
  207. try:
  208. self.c.mouse_position_updated.disconnect(self.on_mouse_position)
  209. except (TypeError, AttributeError):
  210. pass
  211. self.c.mouse_state_updated.connect(self.on_mouse_state)
  212. self.c.mouse_position_updated.connect(self.on_mouse_position)
  213. else:
  214. self.big_cursor = False
  215. self.c = Cursor(pos=np.empty((0, 2)), parent=self.view.scene)
  216. self.c.antialias = 0
  217. return self.c
  218. def on_mouse_state(self, state):
  219. if state:
  220. self.cursor_h_line.parent = self.view.scene
  221. self.cursor_v_line.parent = self.view.scene
  222. else:
  223. self.cursor_h_line.parent = None
  224. self.cursor_v_line.parent = None
  225. def on_mouse_position(self, pos):
  226. if self.fcapp.defaults['global_cursor_color_enabled']:
  227. color = Color(self.fcapp.defaults['global_cursor_color']).rgba
  228. else:
  229. color = self.line_color
  230. self.cursor_h_line.set_data(pos=pos[1], color=color)
  231. self.cursor_v_line.set_data(pos=pos[0], color=color)
  232. self.view.scene.update()
  233. def on_mouse_scroll(self, event):
  234. # key modifiers
  235. modifiers = event.modifiers
  236. pan_delta_x = self.fcapp.defaults["global_gridx"]
  237. pan_delta_y = self.fcapp.defaults["global_gridy"]
  238. curr_pos = event.pos
  239. # Controlled pan by mouse wheel
  240. if 'Shift' in modifiers:
  241. p1 = np.array(curr_pos)[:2]
  242. if event.delta[1] > 0:
  243. curr_pos[0] -= pan_delta_x
  244. else:
  245. curr_pos[0] += pan_delta_x
  246. p2 = np.array(curr_pos)[:2]
  247. self.view.camera.pan(p2 - p1)
  248. elif 'Control' in modifiers:
  249. p1 = np.array(curr_pos)[:2]
  250. if event.delta[1] > 0:
  251. curr_pos[1] += pan_delta_y
  252. else:
  253. curr_pos[1] -= pan_delta_y
  254. p2 = np.array(curr_pos)[:2]
  255. self.view.camera.pan(p2 - p1)
  256. if self.fcapp.grid_status():
  257. pos_canvas = self.translate_coords(curr_pos)
  258. pos = self.fcapp.geo_editor.snap(pos_canvas[0], pos_canvas[1])
  259. # Update cursor
  260. self.fcapp.app_cursor.set_data(np.asarray([(pos[0], pos[1])]),
  261. symbol='++', edge_color=self.fcapp.cursor_color_3D,
  262. edge_width=self.fcapp.defaults["global_cursor_width"],
  263. size=self.fcapp.defaults["global_cursor_size"])
  264. def new_text_group(self, collection=None):
  265. if collection:
  266. return TextGroup(collection)
  267. else:
  268. return TextGroup(self.text_collection)
  269. def new_text_collection(self, **kwargs):
  270. return TextCollection(parent=self.view.scene, **kwargs)
  271. def fit_view(self, rect=None):
  272. # Lock updates in other threads
  273. self.shape_collection.lock_updates()
  274. if not rect:
  275. rect = Rect(-1, -1, 20, 20)
  276. try:
  277. rect.left, rect.right = self.shape_collection.bounds(axis=0)
  278. rect.bottom, rect.top = self.shape_collection.bounds(axis=1)
  279. except TypeError:
  280. pass
  281. # adjust the view camera to be slightly bigger than the bounds so the shape collection can be seen clearly
  282. # otherwise the shape collection boundary will have no border
  283. dx = rect.right - rect.left
  284. dy = rect.top - rect.bottom
  285. x_factor = dx * 0.02
  286. y_factor = dy * 0.02
  287. rect.left -= x_factor
  288. rect.bottom -= y_factor
  289. rect.right += x_factor
  290. rect.top += y_factor
  291. # rect.left *= 0.96
  292. # rect.bottom *= 0.96
  293. # rect.right *= 1.04
  294. # rect.top *= 1.04
  295. # units = self.fcapp.defaults['units'].upper()
  296. # if units == 'MM':
  297. # compensation = 0.5
  298. # else:
  299. # compensation = 0.5 / 25.4
  300. # rect.left -= compensation
  301. # rect.bottom -= compensation
  302. # rect.right += compensation
  303. # rect.top += compensation
  304. self.view.camera.rect = rect
  305. self.shape_collection.unlock_updates()
  306. def fit_center(self, loc, rect=None):
  307. # Lock updates in other threads
  308. self.shape_collection.lock_updates()
  309. if not rect:
  310. try:
  311. rect = Rect(loc[0]-20, loc[1]-20, 40, 40)
  312. except TypeError:
  313. pass
  314. self.view.camera.rect = rect
  315. self.shape_collection.unlock_updates()
  316. def clear(self):
  317. pass
  318. def redraw(self):
  319. self.shape_collection.redraw([])
  320. self.text_collection.redraw()
  321. def on_pool_recreated(self, pool):
  322. self.shape_collection.pool = pool
  323. class CursorBig(QtCore.QObject):
  324. """
  325. This is a fake cursor to ensure compatibility with the OpenGL engine (VisPy).
  326. This way I don't have to chane (disable) things related to the cursor all over when
  327. using the low performance Matplotlib 2D graphic engine.
  328. """
  329. mouse_state_updated = QtCore.pyqtSignal(bool)
  330. mouse_position_updated = QtCore.pyqtSignal(list)
  331. def __init__(self):
  332. super().__init__()
  333. self._enabled = None
  334. @property
  335. def enabled(self):
  336. return True if self._enabled else False
  337. @enabled.setter
  338. def enabled(self, value):
  339. self._enabled = value
  340. self.mouse_state_updated.emit(value)
  341. def set_data(self, pos, **kwargs):
  342. """Internal event handler to draw the cursor when the mouse moves."""
  343. if 'edge_color' in kwargs:
  344. color = kwargs['edge_color']
  345. else:
  346. if self.app.defaults['global_theme'] == 'white':
  347. color = '#000000FF'
  348. else:
  349. color = '#FFFFFFFF'
  350. position = [pos[0][0], pos[0][1]]
  351. self.mouse_position_updated.emit(position)