chiark / gitweb /
Remove a number of incomplete features
[cura.git] / Cura / gui / printWindow.py
1 __copyright__ = "Copyright (C) 2013 David Braam - Released under terms of the AGPLv3 License"
2
3 import wx
4 import power
5 import time
6 import sys
7 import os
8 import ctypes
9 import subprocess
10
11 #TODO: This does not belong here!
12 if sys.platform.startswith('win'):
13         def preventComputerFromSleeping(frame, prevent):
14                 """
15                 Function used to prevent the computer from going into sleep mode.
16                 :param prevent: True = Prevent the system from going to sleep from this point on.
17                 :param prevent: False = No longer prevent the system from going to sleep.
18                 """
19                 ES_CONTINUOUS = 0x80000000
20                 ES_SYSTEM_REQUIRED = 0x00000001
21                 ES_AWAYMODE_REQUIRED = 0x00000040
22                 #SetThreadExecutionState returns 0 when failed, which is ignored. The function should be supported from windows XP and up.
23                 if prevent:
24                         # For Vista and up we use ES_AWAYMODE_REQUIRED to prevent a print from failing if the PC does go to sleep
25                         # As it's not supported on XP, we catch the error and fallback to using ES_SYSTEM_REQUIRED only
26                         if ctypes.windll.kernel32.SetThreadExecutionState(ES_CONTINUOUS | ES_SYSTEM_REQUIRED | ES_AWAYMODE_REQUIRED) == 0:
27                                 ctypes.windll.kernel32.SetThreadExecutionState(ES_CONTINUOUS | ES_SYSTEM_REQUIRED)
28                 else:
29                         ctypes.windll.kernel32.SetThreadExecutionState(ES_CONTINUOUS)
30
31 elif sys.platform.startswith('darwin'):
32         import objc
33         bundle = objc.initFrameworkWrapper("IOKit",
34         frameworkIdentifier="com.apple.iokit",
35         frameworkPath=objc.pathForFramework("/System/Library/Frameworks/IOKit.framework"),
36         globals=globals())
37         objc.loadBundleFunctions(bundle, globals(), [("IOPMAssertionCreateWithName", b"i@I@o^I")])
38         def preventComputerFromSleeping(frame, prevent):
39                 if prevent:
40                         success, preventComputerFromSleeping.assertionID = IOPMAssertionCreateWithName(kIOPMAssertionTypeNoDisplaySleep, kIOPMAssertionLevelOn, "Cura is printing", None)
41                         if success != kIOReturnSuccess:
42                                 preventComputerFromSleeping.assertionID = None
43                 else:
44                         if preventComputerFromSleeping.assertionID is not None:
45                                 IOPMAssertionRelease(preventComputerFromSleeping.assertionID)
46                                 preventComputerFromSleeping.assertionID = None
47 else:
48         def preventComputerFromSleeping(frame, prevent):
49                 if os.path.isfile("/usr/bin/xdg-screensaver"):
50                         try:
51                                 cmd = ['xdg-screensaver', 'suspend' if prevent else 'resume', str(frame.GetHandle())]
52                                 subprocess.call(cmd)
53                         except:
54                                 pass
55
56 class printWindowPlugin(wx.Frame):
57         def __init__(self, parent, printerConnection, filename):
58                 super(printWindowPlugin, self).__init__(parent, -1, style=wx.CLOSE_BOX|wx.CLIP_CHILDREN|wx.CAPTION|wx.SYSTEM_MENU|wx.FRAME_FLOAT_ON_PARENT|wx.MINIMIZE_BOX, title=_("Printing on %s") % (printerConnection.getName()))
59                 self._printerConnection = printerConnection
60                 self._basePath = os.path.dirname(filename)
61                 self._backgroundImage = None
62                 self._colorCommandMap = {}
63                 self._buttonList = []
64                 self._termLog = None
65                 self._termInput = None
66                 self._termHistory = []
67                 self._termHistoryIdx = 0
68                 self._progressBar = None
69                 self._tempGraph = None
70                 self._infoText = None
71                 self._lastUpdateTime = time.time()
72                 self._isPrinting = False
73
74                 variables = {
75                         'setImage': self.script_setImage,
76                         'addColorCommand': self.script_addColorCommand,
77                         'addTerminal': self.script_addTerminal,
78                         'addTemperatureGraph': self.script_addTemperatureGraph,
79                         'addProgressbar': self.script_addProgressbar,
80                         'addButton': self.script_addButton,
81                         'addSpinner': self.script_addSpinner,
82                         'addTextButton': self.script_addTextButton,
83
84                         'sendGCode': self.script_sendGCode,
85                         'connect': self.script_connect,
86                         'startPrint': self.script_startPrint,
87                         'pausePrint': self.script_pausePrint,
88                         'cancelPrint': self.script_cancelPrint,
89                         'showErrorLog': self.script_showErrorLog,
90                 }
91                 execfile(filename, variables, variables)
92
93                 self.Bind(wx.EVT_ERASE_BACKGROUND, self.OnEraseBackground)
94                 self.Bind(wx.EVT_PAINT, self.OnDraw)
95                 self.Bind(wx.EVT_LEFT_DOWN, self.OnLeftClick)
96                 self.Bind(wx.EVT_CLOSE, self.OnClose)
97
98                 self._updateButtonStates()
99
100                 self._printerConnection.addCallback(self._doPrinterConnectionUpdate)
101
102                 if self._printerConnection.hasActiveConnection() and not self._printerConnection.isActiveConnectionOpen():
103                         self._printerConnection.openActiveConnection()
104
105         def script_setImage(self, guiImage, mapImage):
106                 self._backgroundImage = wx.BitmapFromImage(wx.Image(os.path.join(self._basePath, guiImage)))
107                 self._mapImage = wx.Image(os.path.join(self._basePath, mapImage))
108                 self.SetClientSize(self._mapImage.GetSize())
109
110         def script_addColorCommand(self, r, g, b, command, data = None):
111                 self._colorCommandMap[(r, g, b)] = (command, data)
112
113         def script_addTerminal(self, r, g, b):
114                 x, y, w, h = self._getColoredRect(r, g, b)
115                 if x < 0 or self._termLog is not None:
116                         return
117                 f = wx.Font(8, wx.FONTFAMILY_MODERN, wx.FONTSTYLE_NORMAL, wx.FONTWEIGHT_NORMAL, False)
118                 self._termLog = wx.TextCtrl(self, style=wx.TE_MULTILINE | wx.TE_DONTWRAP)
119                 self._termLog.SetFont(f)
120                 self._termLog.SetEditable(0)
121                 self._termInput = wx.TextCtrl(self, style=wx.TE_PROCESS_ENTER)
122                 self._termInput.SetFont(f)
123
124                 self._termLog.SetPosition((x, y))
125                 self._termLog.SetSize((w, h - self._termInput.GetSize().GetHeight()))
126                 self._termInput.SetPosition((x, y + h - self._termInput.GetSize().GetHeight()))
127                 self._termInput.SetSize((w, self._termInput.GetSize().GetHeight()))
128                 self.Bind(wx.EVT_TEXT_ENTER, self.OnTermEnterLine, self._termInput)
129                 self._termInput.Bind(wx.EVT_CHAR, self.OnTermKey)
130
131         def script_addTemperatureGraph(self, r, g, b):
132                 x, y, w, h = self._getColoredRect(r, g, b)
133                 if x < 0 or self._tempGraph is not None:
134                         return
135                 self._tempGraph = TemperatureGraph(self)
136
137                 self._tempGraph.SetPosition((x, y))
138                 self._tempGraph.SetSize((w, h))
139
140         def script_addProgressbar(self, r, g, b):
141                 x, y, w, h = self._getColoredRect(r, g, b)
142                 if x < 0:
143                         return
144                 self._progressBar = wx.Gauge(self, -1, range=1000)
145
146                 self._progressBar.SetPosition((x, y))
147                 self._progressBar.SetSize((w, h))
148
149         def script_addButton(self, r, g, b, text, command, data = None):
150                 x, y, w, h = self._getColoredRect(r, g, b)
151                 if x < 0:
152                         return
153                 button = wx.Button(self, -1, _(text))
154                 button.SetPosition((x, y))
155                 button.SetSize((w, h))
156                 button.command = command
157                 button.data = data
158                 self._buttonList.append(button)
159                 self.Bind(wx.EVT_BUTTON, lambda e: command(data), button)
160
161         def script_addSpinner(self, r, g, b, command, data):
162                 x, y, w, h = self._getColoredRect(r, g, b)
163                 if x < 0:
164                         return
165
166                 def run_command(spinner):
167                         value = spinner.GetValue()
168                         print "Value (%s) and (%s)" % (spinner.last_value, value)
169                         if spinner.last_value != '' and value != 0:
170                                 spinner.command(spinner.data % value)
171                                 spinner.last_value = value
172
173                 spinner = wx.SpinCtrl(self, -1, style=wx.TE_PROCESS_ENTER)
174                 spinner.SetRange(0, 300)
175                 spinner.SetPosition((x, y))
176                 spinner.SetSize((w, h))
177                 spinner.SetValue(0)
178                 spinner.command = command
179                 spinner.data = data
180                 spinner.last_value = ''
181                 self._buttonList.append(spinner)
182                 self.Bind(wx.EVT_SPINCTRL, lambda e: run_command(spinner), spinner)
183
184         def script_addTextButton(self, r_text, g_text, b_text, r_button, g_button, b_button, button_text, command, data):
185                 x_text, y_text, w_text, h_text = self._getColoredRect(r_text, g_text, b_text)
186                 if x_text < 0:
187                         return
188                 x_button, y_button, w_button, h_button = self._getColoredRect(r_button, g_button, b_button)
189                 if x_button < 0:
190                         return
191                 from wx.lib.intctrl import IntCtrl
192                 text = IntCtrl(self, -1)
193                 text.SetBounds(0, 300)
194                 text.SetPosition((x_text, y_text))
195                 text.SetSize((w_text, h_text))
196                 
197                 button = wx.Button(self, -1, _(button_text))
198                 button.SetPosition((x_button, y_button))
199                 button.SetSize((w_button, h_button))
200                 button.command = command
201                 button.data = data
202                 self._buttonList.append(button)
203                 self.Bind(wx.EVT_BUTTON, lambda e: command(data % text.GetValue()), button)
204
205         def _getColoredRect(self, r, g, b):
206                 for x in xrange(0, self._mapImage.GetWidth()):
207                         for y in xrange(0, self._mapImage.GetHeight()):
208                                 if self._mapImage.GetRed(x, y) == r and self._mapImage.GetGreen(x, y) == g and self._mapImage.GetBlue(x, y) == b:
209                                         w = 0
210                                         while x+w < self._mapImage.GetWidth() and self._mapImage.GetRed(x + w, y) == r and self._mapImage.GetGreen(x + w, y) == g and self._mapImage.GetBlue(x + w, y) == b:
211                                                 w += 1
212                                         h = 0
213                                         while y+h < self._mapImage.GetHeight() and self._mapImage.GetRed(x, y + h) == r and self._mapImage.GetGreen(x, y + h) == g and self._mapImage.GetBlue(x, y + h) == b:
214                                                 h += 1
215                                         return x, y, w, h
216                 print "Failed to find color: ", r, g, b
217                 return -1, -1, 1, 1
218
219         def script_sendGCode(self, data = None):
220                 for line in data.split(';'):
221                         line = line.strip()
222                         if len(line) > 0:
223                                 self._printerConnection.sendCommand(line)
224
225         def script_connect(self, data = None):
226                 self._printerConnection.openActiveConnection()
227
228         def script_startPrint(self, data = None):
229                 self._printerConnection.startPrint()
230
231         def script_cancelPrint(self, e):
232                 self._printerConnection.cancelPrint()
233
234         def script_pausePrint(self, e):
235                 self._printerConnection.pause(not self._printerConnection.isPaused())
236
237         def script_showErrorLog(self, e):
238                 LogWindow(self._printerConnection.getErrorLog())
239
240         def OnEraseBackground(self, e):
241                 pass
242
243         def OnDraw(self, e):
244                 dc = wx.BufferedPaintDC(self, self._backgroundImage)
245
246         def OnLeftClick(self, e):
247                 r = self._mapImage.GetRed(e.GetX(), e.GetY())
248                 g = self._mapImage.GetGreen(e.GetX(), e.GetY())
249                 b = self._mapImage.GetBlue(e.GetX(), e.GetY())
250                 if (r, g, b) in self._colorCommandMap:
251                         command = self._colorCommandMap[(r, g, b)]
252                         command[0](command[1])
253
254         def OnClose(self, e):
255                 if self._printerConnection.hasActiveConnection():
256                         if self._printerConnection.isPrinting() or self._printerConnection.isPaused():
257                                 pass #TODO: Give warning that the close will kill the print.
258                         self._printerConnection.closeActiveConnection()
259                 self._printerConnection.removeCallback(self._doPrinterConnectionUpdate)
260                 #TODO: When multiple printer windows are open, closing one will enable sleeping again.
261                 preventComputerFromSleeping(self, False)
262                 self.Destroy()
263
264         def OnTermEnterLine(self, e):
265                 if not self._printerConnection.isAbleToSendDirectCommand():
266                         return
267                 line = self._termInput.GetValue()
268                 if line == '':
269                         return
270                 self._addTermLog('> %s\n' % (line))
271                 self._printerConnection.sendCommand(line)
272                 self._termHistory.append(line)
273                 self._termHistoryIdx = len(self._termHistory)
274                 self._termInput.SetValue('')
275
276         def OnTermKey(self, e):
277                 if len(self._termHistory) > 0:
278                         if e.GetKeyCode() == wx.WXK_UP:
279                                 self._termHistoryIdx -= 1
280                                 if self._termHistoryIdx < 0:
281                                         self._termHistoryIdx = len(self._termHistory) - 1
282                                 self._termInput.SetValue(self._termHistory[self._termHistoryIdx])
283                         if e.GetKeyCode() == wx.WXK_DOWN:
284                                 self._termHistoryIdx -= 1
285                                 if self._termHistoryIdx >= len(self._termHistory):
286                                         self._termHistoryIdx = 0
287                                 self._termInput.SetValue(self._termHistory[self._termHistoryIdx])
288                 e.Skip()
289
290         def _addTermLog(self, line):
291                 if self._termLog is not None:
292                         if len(self._termLog.GetValue()) > 10000:
293                                 self._termLog.SetValue(self._termLog.GetValue()[-10000:])
294                         self._termLog.SetInsertionPointEnd()
295                         if type(line) != unicode:
296                                 line = unicode(line, 'utf-8', 'replace')
297                         self._termLog.AppendText(line.encode('utf-8', 'replace'))
298
299         def _updateButtonStates(self):
300                 for button in self._buttonList:
301                         if button.command == self.script_connect:
302                                 button.Show(self._printerConnection.hasActiveConnection())
303                                 button.Enable(not self._printerConnection.isActiveConnectionOpen() and \
304                                                           not self._printerConnection.isActiveConnectionOpening())
305                         elif button.command == self.script_pausePrint:
306                                 button.Show(self._printerConnection.hasPause())
307                                 if not self._printerConnection.hasActiveConnection() or \
308                                    self._printerConnection.isActiveConnectionOpen():
309                                         button.Enable(self._printerConnection.isPrinting() or \
310                                                                   self._printerConnection.isPaused())
311                                 else:
312                                         button.Enable(False)
313                         elif button.command == self.script_startPrint:
314                                 if not self._printerConnection.hasActiveConnection() or \
315                                    self._printerConnection.isActiveConnectionOpen():
316                                         button.Enable(not self._printerConnection.isPrinting() and \
317                                                   not self._printerConnection.isPaused())
318                                 else:
319                                         button.Enable(False)
320                         elif button.command == self.script_cancelPrint:
321                                 if not self._printerConnection.hasActiveConnection() or \
322                                    self._printerConnection.isActiveConnectionOpen():
323                                         button.Enable(self._printerConnection.isPrinting() or \
324                                                                   self._printerConnection.isPaused())
325                                 else:
326                                         button.Enable(False)
327                         elif button.command == self.script_showErrorLog:
328                                 button.Show(self._printerConnection.isInErrorState())
329                 if self._termInput is not None:
330                         self._termInput.Enable(self._printerConnection.isAbleToSendDirectCommand())
331
332         def _doPrinterConnectionUpdate(self, connection, extraInfo = None):
333                 wx.CallAfter(self.__doPrinterConnectionUpdate, connection, extraInfo)
334                 if self._tempGraph is not None:
335                         temp = []
336                         for n in xrange(0, 4):
337                                 t = connection.getTemperature(0)
338                                 if t is not None:
339                                         temp.append(t)
340                                 else:
341                                         break
342                         self._tempGraph.addPoint(temp, [0] * len(temp), connection.getBedTemperature(), 0)
343
344         def __doPrinterConnectionUpdate(self, connection, extraInfo):
345                 t = time.time()
346                 if self._lastUpdateTime + 0.5 > t and extraInfo is None:
347                         return
348                 self._lastUpdateTime = t
349
350                 if extraInfo is not None and len(extraInfo) > 0:
351                         self._addTermLog('< %s\n' % (extraInfo))
352
353                 self._updateButtonStates()
354                 isPrinting = connection.isPrinting() or connection.isPaused()
355                 if self._progressBar is not None:
356                         if isPrinting:
357                                 self._progressBar.SetValue(connection.getPrintProgress() * 1000)
358                         else:
359                                 self._progressBar.SetValue(0)
360                 info = connection.getStatusString()
361                 info += '\n'
362                 if self._printerConnection.getTemperature(0) is not None:
363                         info += 'Temperature: %d' % (self._printerConnection.getTemperature(0))
364                 if self._printerConnection.getBedTemperature() > 0:
365                         info += ' Bed: %d' % (self._printerConnection.getBedTemperature())
366                 if self._infoText is not None:
367                         self._infoText.SetLabel(info)
368                 else:
369                         self.SetTitle(info.replace('\n', ', '))
370                 if isPrinting != self._isPrinting:
371                         self._isPrinting = isPrinting
372                         preventComputerFromSleeping(self, self._isPrinting)
373
374 class printWindowBasic(wx.Frame):
375         """
376         Printing window for USB printing, network printing, and any other type of printer connection we can think off.
377         This is only a basic window with minimal information.
378         """
379         def __init__(self, parent, printerConnection):
380                 super(printWindowBasic, self).__init__(parent, -1, style=wx.CLOSE_BOX|wx.CLIP_CHILDREN|wx.CAPTION|wx.SYSTEM_MENU|wx.FRAME_TOOL_WINDOW|wx.FRAME_FLOAT_ON_PARENT, title=_("Printing on %s") % (printerConnection.getName()))
381                 self._printerConnection = printerConnection
382                 self._lastUpdateTime = 0
383                 self._isPrinting = False
384
385                 self.SetSizer(wx.BoxSizer())
386                 self.panel = wx.Panel(self)
387                 self.GetSizer().Add(self.panel, 1, flag=wx.EXPAND)
388                 self.sizer = wx.GridBagSizer(2, 2)
389                 self.panel.SetSizer(self.sizer)
390
391                 self.powerWarningText = wx.StaticText(parent=self.panel,
392                         id=-1,
393                         label=_("Your computer is running on battery power.\nConnect your computer to AC power or your print might not finish."),
394                         style=wx.ALIGN_CENTER)
395                 self.powerWarningText.SetBackgroundColour('red')
396                 self.powerWarningText.SetForegroundColour('white')
397                 self.powerManagement = power.PowerManagement()
398                 self.powerWarningTimer = wx.Timer(self)
399                 self.Bind(wx.EVT_TIMER, self.OnPowerWarningChange, self.powerWarningTimer)
400                 self.OnPowerWarningChange(None)
401                 self.powerWarningTimer.Start(10000)
402
403                 self.statsText = wx.StaticText(self.panel, -1, _("InfoLine from printer connection\nInfoLine from dialog\nExtra line\nMore lines for layout\nMore lines for layout\nMore lines for layout"))
404
405                 self.connectButton = wx.Button(self.panel, -1, _("Connect"))
406                 #self.loadButton = wx.Button(self.panel, -1, 'Load')
407                 self.printButton = wx.Button(self.panel, -1, _("Print"))
408                 self.pauseButton = wx.Button(self.panel, -1, _("Pause"))
409                 self.cancelButton = wx.Button(self.panel, -1, _("Cancel print"))
410                 self.errorLogButton = wx.Button(self.panel, -1, _("Error log"))
411                 self.progress = wx.Gauge(self.panel, -1, range=1000)
412
413                 self.sizer.Add(self.powerWarningText, pos=(0, 0), span=(1, 5), flag=wx.EXPAND|wx.BOTTOM, border=5)
414                 self.sizer.Add(self.statsText, pos=(1, 0), span=(1, 5), flag=wx.LEFT, border=5)
415                 self.sizer.Add(self.connectButton, pos=(2, 0))
416                 #self.sizer.Add(self.loadButton, pos=(2,1))
417                 self.sizer.Add(self.printButton, pos=(2, 1))
418                 self.sizer.Add(self.pauseButton, pos=(2, 2))
419                 self.sizer.Add(self.cancelButton, pos=(2, 3))
420                 self.sizer.Add(self.errorLogButton, pos=(2, 4))
421                 self.sizer.Add(self.progress, pos=(3, 0), span=(1, 5), flag=wx.EXPAND)
422
423                 self.Bind(wx.EVT_CLOSE, self.OnClose)
424                 self.connectButton.Bind(wx.EVT_BUTTON, self.OnConnect)
425                 #self.loadButton.Bind(wx.EVT_BUTTON, self.OnLoad)
426                 self.printButton.Bind(wx.EVT_BUTTON, self.OnPrint)
427                 self.pauseButton.Bind(wx.EVT_BUTTON, self.OnPause)
428                 self.cancelButton.Bind(wx.EVT_BUTTON, self.OnCancel)
429                 self.errorLogButton.Bind(wx.EVT_BUTTON, self.OnErrorLog)
430
431                 self.Layout()
432                 self.Fit()
433                 self.Centre()
434
435                 self.progress.SetMinSize(self.progress.GetSize())
436                 self.statsText.SetLabel('\n\n\n\n\n\n')
437                 self._updateButtonStates()
438
439                 self._printerConnection.addCallback(self._doPrinterConnectionUpdate)
440
441                 if self._printerConnection.hasActiveConnection() and not self._printerConnection.isActiveConnectionOpen():
442                         self._printerConnection.openActiveConnection()
443
444         def OnPowerWarningChange(self, e):
445                 type = self.powerManagement.get_providing_power_source_type()
446                 if type == power.POWER_TYPE_AC and self.powerWarningText.IsShown():
447                         self.powerWarningText.Hide()
448                         self.panel.Layout()
449                         self.Layout()
450                         self.Fit()
451                         self.Refresh()
452                 elif type != power.POWER_TYPE_AC and not self.powerWarningText.IsShown():
453                         self.powerWarningText.Show()
454                         self.panel.Layout()
455                         self.Layout()
456                         self.Fit()
457                         self.Refresh()
458
459         def OnClose(self, e):
460                 if self._printerConnection.hasActiveConnection():
461                         if self._printerConnection.isPrinting() or self._printerConnection.isPaused():
462                                 pass #TODO: Give warning that the close will kill the print.
463                         self._printerConnection.closeActiveConnection()
464                 self._printerConnection.removeCallback(self._doPrinterConnectionUpdate)
465                 #TODO: When multiple printer windows are open, closing one will enable sleeping again.
466                 preventComputerFromSleeping(self, False)
467                 self.Destroy()
468
469         def OnConnect(self, e):
470                 self._printerConnection.openActiveConnection()
471
472         def OnLoad(self, e):
473                 pass
474
475         def OnPrint(self, e):
476                 self._printerConnection.startPrint()
477
478         def OnCancel(self, e):
479                 self._printerConnection.cancelPrint()
480
481         def OnPause(self, e):
482                 self._printerConnection.pause(not self._printerConnection.isPaused())
483
484         def OnErrorLog(self, e):
485                 LogWindow(self._printerConnection.getErrorLog())
486
487         def _doPrinterConnectionUpdate(self, connection, extraInfo = None):
488                 wx.CallAfter(self.__doPrinterConnectionUpdate, connection, extraInfo)
489                 #temp = [connection.getTemperature(0)]
490                 #self.temperatureGraph.addPoint(temp, [0], connection.getBedTemperature(), 0)
491
492         def __doPrinterConnectionUpdate(self, connection, extraInfo):
493                 t = time.time()
494                 if self._lastUpdateTime + 0.5 > t and extraInfo is None:
495                         return
496                 self._lastUpdateTime = t
497
498                 if extraInfo is not None and len(extraInfo) > 0:
499                         self._addTermLog('< %s\n' % (extraInfo))
500
501                 self._updateButtonStates()
502                 isPrinting = connection.isPrinting() or connection.isPaused()
503                 if isPrinting:
504                         self.progress.SetValue(connection.getPrintProgress() * 1000)
505                 else:
506                         self.progress.SetValue(0)
507                 info = connection.getStatusString()
508                 info += '\n'
509                 if self._printerConnection.getTemperature(0) is not None:
510                         info += 'Temperature: %d' % (self._printerConnection.getTemperature(0))
511                 if self._printerConnection.getBedTemperature() > 0:
512                         info += ' Bed: %d' % (self._printerConnection.getBedTemperature())
513                 info += '\n\n'
514                 self.statsText.SetLabel(info)
515                 if isPrinting != self._isPrinting:
516                         self._isPrinting = isPrinting
517                         preventComputerFromSleeping(self, self._isPrinting)
518
519
520         def _addTermLog(self, msg):
521                 pass
522
523         def _addTermLog(self, msg):
524                 pass
525
526         def _updateButtonStates(self):
527                 self.connectButton.Show(self._printerConnection.hasActiveConnection())
528                 self.connectButton.Enable(not self._printerConnection.isActiveConnectionOpen() and not self._printerConnection.isActiveConnectionOpening())
529                 self.pauseButton.Show(self._printerConnection.hasPause())
530                 if not self._printerConnection.hasActiveConnection() or self._printerConnection.isActiveConnectionOpen():
531                         self.printButton.Enable(not self._printerConnection.isPrinting() and \
532                                                                         not self._printerConnection.isPaused())
533                         self.pauseButton.Enable(self._printerConnection.isPrinting())
534                         self.cancelButton.Enable(self._printerConnection.isPrinting())
535                 else:
536                         self.printButton.Enable(False)
537                         self.pauseButton.Enable(False)
538                         self.cancelButton.Enable(False)
539                 self.errorLogButton.Show(self._printerConnection.isInErrorState())
540
541 class TemperatureGraph(wx.Panel):
542         def __init__(self, parent):
543                 super(TemperatureGraph, self).__init__(parent)
544
545                 self.Bind(wx.EVT_ERASE_BACKGROUND, self.OnEraseBackground)
546                 self.Bind(wx.EVT_SIZE, self.OnSize)
547                 self.Bind(wx.EVT_PAINT, self.OnDraw)
548
549                 self._lastDraw = time.time() - 1.0
550                 self._points = []
551                 self._backBuffer = None
552                 self.addPoint([0]*16, [0]*16, 0, 0)
553
554         def OnEraseBackground(self, e):
555                 pass
556
557         def OnSize(self, e):
558                 if self._backBuffer is None or self.GetSize() != self._backBuffer.GetSize():
559                         self._backBuffer = wx.EmptyBitmap(*self.GetSizeTuple())
560                         self.UpdateDrawing(True)
561
562         def OnDraw(self, e):
563                 dc = wx.BufferedPaintDC(self, self._backBuffer)
564
565         def UpdateDrawing(self, force=False):
566                 now = time.time()
567                 if (not force and now - self._lastDraw < 1.0) or self._backBuffer is None:
568                         return
569                 self._lastDraw = now
570                 dc = wx.MemoryDC()
571                 dc.SelectObject(self._backBuffer)
572                 dc.Clear()
573                 dc.SetFont(wx.SystemSettings.GetFont(wx.SYS_SYSTEM_FONT))
574                 w, h = self.GetSizeTuple()
575                 bgLinePen = wx.Pen('#A0A0A0')
576                 tempPen = wx.Pen('#FF4040')
577                 tempSPPen = wx.Pen('#FFA0A0')
578                 tempPenBG = wx.Pen('#FFD0D0')
579                 bedTempPen = wx.Pen('#4040FF')
580                 bedTempSPPen = wx.Pen('#A0A0FF')
581                 bedTempPenBG = wx.Pen('#D0D0FF')
582
583                 #Draw the background up to the current temperatures.
584                 x0 = 0
585                 t0 = []
586                 bt0 = 0
587                 tSP0 = 0
588                 btSP0 = 0
589                 for temp, tempSP, bedTemp, bedTempSP, t in self._points:
590                         x1 = int(w - (now - t))
591                         for x in xrange(x0, x1 + 1):
592                                 for n in xrange(0, min(len(t0), len(temp))):
593                                         t = float(x - x0) / float(x1 - x0 + 1) * (temp[n] - t0[n]) + t0[n]
594                                         dc.SetPen(tempPenBG)
595                                         dc.DrawLine(x, h, x, h - (t * h / 350))
596                                 bt = float(x - x0) / float(x1 - x0 + 1) * (bedTemp - bt0) + bt0
597                                 dc.SetPen(bedTempPenBG)
598                                 dc.DrawLine(x, h, x, h - (bt * h / 350))
599                         t0 = temp
600                         bt0 = bedTemp
601                         tSP0 = tempSP
602                         btSP0 = bedTempSP
603                         x0 = x1 + 1
604
605                 #Draw the grid
606                 for x in xrange(w, 0, -30):
607                         dc.SetPen(bgLinePen)
608                         dc.DrawLine(x, 0, x, h)
609                 tmpNr = 0
610                 for y in xrange(h - 1, 0, -h * 50 / 350):
611                         dc.SetPen(bgLinePen)
612                         dc.DrawLine(0, y, w, y)
613                         dc.DrawText(str(tmpNr), 0, y - dc.GetFont().GetPixelSize().GetHeight())
614                         tmpNr += 50
615                 dc.DrawLine(0, 0, w, 0)
616                 dc.DrawLine(0, 0, 0, h)
617
618                 #Draw the main lines
619                 x0 = 0
620                 t0 = []
621                 bt0 = 0
622                 tSP0 = []
623                 btSP0 = 0
624                 for temp, tempSP, bedTemp, bedTempSP, t in self._points:
625                         x1 = int(w - (now - t))
626                         for x in xrange(x0, x1 + 1):
627                                 for n in xrange(0, min(len(t0), len(temp))):
628                                         t = float(x - x0) / float(x1 - x0 + 1) * (temp[n] - t0[n]) + t0[n]
629                                         tSP = float(x - x0) / float(x1 - x0 + 1) * (tempSP[n] - tSP0[n]) + tSP0[n]
630                                         dc.SetPen(tempSPPen)
631                                         dc.DrawPoint(x, h - (tSP * h / 350))
632                                         dc.SetPen(tempPen)
633                                         dc.DrawPoint(x, h - (t * h / 350))
634                                 bt = float(x - x0) / float(x1 - x0 + 1) * (bedTemp - bt0) + bt0
635                                 btSP = float(x - x0) / float(x1 - x0 + 1) * (bedTempSP - btSP0) + btSP0
636                                 dc.SetPen(bedTempSPPen)
637                                 dc.DrawPoint(x, h - (btSP * h / 350))
638                                 dc.SetPen(bedTempPen)
639                                 dc.DrawPoint(x, h - (bt * h / 350))
640                         t0 = temp
641                         bt0 = bedTemp
642                         tSP0 = tempSP
643                         btSP0 = bedTempSP
644                         x0 = x1 + 1
645
646                 del dc
647                 self.Refresh(eraseBackground=False)
648                 self.Update()
649
650                 if len(self._points) > 0 and (time.time() - self._points[0][4]) > w + 20:
651                         self._points.pop(0)
652
653         def addPoint(self, temp, tempSP, bedTemp, bedTempSP):
654                 if len(self._points) > 0 and time.time() - self._points[-1][4] < 0.5:
655                         return
656                 for n in xrange(0, len(temp)):
657                         if temp[n] is None:
658                                 temp[n] = 0
659                 for n in xrange(0, len(tempSP)):
660                         if tempSP[n] is None:
661                                 tempSP[n] = 0
662                 if bedTemp is None:
663                         bedTemp = 0
664                 if bedTempSP is None:
665                         bedTempSP = 0
666                 self._points.append((temp[:], tempSP[:], bedTemp, bedTempSP, time.time()))
667                 wx.CallAfter(self.UpdateDrawing)
668
669
670 class LogWindow(wx.Frame):
671         def __init__(self, logText):
672                 super(LogWindow, self).__init__(None, title=_("Error log"))
673                 self.textBox = wx.TextCtrl(self, -1, logText, style=wx.TE_MULTILINE | wx.TE_DONTWRAP | wx.TE_READONLY)
674                 self.SetSize((500, 400))
675                 self.Show(True)