Merge changes from master
[electrum-nvc.git] / lib / gui_lite.py
1 from PyQt4.QtCore import *
2 from PyQt4.QtGui import *
3 from decimal import Decimal as D
4 from util import appdata_dir, get_resource_path as rsrc
5 from i18n import _
6 import decimal
7 import exchange_rate
8 import os.path
9 import random
10 import re
11 import sys
12 import time
13 import wallet
14 import webbrowser
15
16 try:
17     import lib.gui_qt as gui_qt
18 except ImportError:
19     import electrum.gui_qt as gui_qt
20
21 bitcoin = lambda v: v * 100000000
22
23 def IconButton(filename, parent=None):
24     pixmap = QPixmap(filename)
25     icon = QIcon(pixmap)
26     return QPushButton(icon, "", parent)
27
28 class Timer(QThread):
29     def run(self):
30         while True:
31             self.emit(SIGNAL('timersignal'))
32             time.sleep(0.5)
33
34 def resize_line_edit_width(line_edit, text_input):
35     metrics = QFontMetrics(qApp.font())
36     # Create an extra character to add some space on the end
37     text_input += "A"
38     line_edit.setMinimumWidth(metrics.width(text_input))
39
40 def cd_data_dir():
41     assert sys.argv
42     prefix_path = os.path.dirname(sys.argv[0])
43     local_data = os.path.join(prefix_path, "data")
44     if os.path.exists(os.path.join(local_data, "style.css")):
45         data_dir = local_data
46     else:
47         data_dir = appdata_dir()
48     QDir.setCurrent(data_dir)
49
50 class ElectrumGui:
51
52     def __init__(self, wallet):
53         self.wallet = wallet
54         self.app = QApplication(sys.argv)
55         # Should probably not modify the current path but instead
56         # change the behaviour of rsrc(...)
57         self.old_path = QDir.currentPath()
58         cd_data_dir()
59         with open(rsrc("style.css")) as style_file:
60             self.app.setStyleSheet(style_file.read())
61
62     def main(self, url):
63         actuator = MiniActuator(self.wallet)
64         self.mini = MiniWindow(actuator, self.expand)
65         driver = MiniDriver(self.wallet, self.mini)
66
67         # Reset path back to original value now that loading the GUI
68         # is completed.
69         QDir.setCurrent(self.old_path)
70
71         if url:
72             self.set_url(url)
73
74         timer = Timer()
75         timer.start()
76         self.expert = gui_qt.ElectrumWindow(self.wallet)
77         self.expert.app = self.app
78         self.expert.connect_slots(timer)
79         self.expert.update_wallet()
80
81         self.app.exec_()
82
83     def expand(self):
84         self.mini.hide()
85         self.expert.show()
86
87     def set_url(self, url):
88         payto, amount, label, message, signature, identity, url = \
89             self.wallet.parse_url(url, self.show_message, self.show_question)
90         self.mini.set_payment_fields(payto, amount)
91
92     def show_message(self, message):
93         QMessageBox.information(self.mini, _("Message"), message, _("OK"))
94
95     def show_question(self, message):
96         choice = QMessageBox.question(self.mini, _("Message"), message,
97                                       QMessageBox.Yes|QMessageBox.No,
98                                       QMessageBox.No)
99         return choice == QMessageBox.Yes
100
101     def restore_or_create(self):
102         qt_gui_object = gui_qt.ElectrumGui(self.wallet, self.app)
103         return qt_gui_object.restore_or_create()
104
105 class MiniWindow(QDialog):
106
107     def __init__(self, actuator, expand_callback):
108         super(MiniWindow, self).__init__()
109
110         self.actuator = actuator
111
112         self.btc_balance = None
113         self.quote_currencies = ["EUR", "USD", "GBP"]
114         self.actuator.set_configured_currency(self.set_quote_currency)
115         self.exchanger = exchange_rate.Exchanger(self)
116         # Needed because price discovery is done in a different thread
117         # which needs to be sent back to this main one to update the GUI
118         self.connect(self, SIGNAL("refresh_balance()"), self.refresh_balance)
119
120         self.balance_label = BalanceLabel(self.change_quote_currency)
121         self.balance_label.setObjectName("balance_label")
122
123         self.receive_button = QPushButton(_("&Receive"))
124         self.receive_button.setObjectName("receive_button")
125         self.receive_button.setDefault(True)
126         self.connect(self.receive_button, SIGNAL("clicked()"), self.copy_address)
127
128         # Bitcoin address code
129         self.address_input = QLineEdit()
130         self.address_input.setPlaceholderText(_("Enter a Bitcoin address..."))
131         self.address_input.setObjectName("address_input")
132
133
134         self.connect(self.address_input, SIGNAL("textEdited(QString)"), self.address_field_changed)
135         resize_line_edit_width(self.address_input, "1BtaFUr3qVvAmwrsuDuu5zk6e4s2rxd2Gy")
136
137         self.address_completions = QStringListModel()
138         address_completer = QCompleter(self.address_input)
139         address_completer.setCaseSensitivity(False)
140         address_completer.setModel(self.address_completions)
141         self.address_input.setCompleter(address_completer)
142
143         address_layout = QHBoxLayout()
144         address_layout.addWidget(self.address_input)
145
146         self.amount_input = QLineEdit()
147         self.amount_input.setPlaceholderText(_("... and amount"))
148         self.amount_input.setObjectName("amount_input")
149         # This is changed according to the user's displayed balance
150         self.amount_validator = QDoubleValidator(self.amount_input)
151         self.amount_validator.setNotation(QDoubleValidator.StandardNotation)
152         self.amount_validator.setDecimals(8)
153         self.amount_input.setValidator(self.amount_validator)
154
155         # This removes the very ugly OSX highlighting, please leave this in :D
156         self.address_input.setAttribute(Qt.WA_MacShowFocusRect, 0)
157         self.amount_input.setAttribute(Qt.WA_MacShowFocusRect, 0)
158         
159         self.connect(self.amount_input, SIGNAL("textChanged(QString)"),
160                      self.amount_input_changed)
161
162         self.send_button = QPushButton(_("&Send"))
163         self.send_button.setObjectName("send_button")
164         self.send_button.setDisabled(True);
165         self.connect(self.send_button, SIGNAL("clicked()"), self.send)
166
167         main_layout = QGridLayout(self)
168
169         main_layout.addWidget(self.balance_label, 0, 0)
170         main_layout.addWidget(self.receive_button, 0, 1)
171
172         main_layout.addWidget(self.address_input, 1, 0, 1, -1)
173
174         main_layout.addWidget(self.amount_input, 2, 0)
175         main_layout.addWidget(self.send_button, 2, 1)
176
177         menubar = QMenuBar()
178         electrum_menu = menubar.addMenu(_("&Bitcoin"))
179         #electrum_menu.addMenu(_("&Servers"))
180         #electrum_menu.addSeparator()
181         electrum_menu.addAction(_("&Quit"))
182
183         view_menu = menubar.addMenu(_("&View"))
184         expert_gui = view_menu.addAction(_("&Pro Mode"))
185         self.connect(expert_gui, SIGNAL("triggered()"), expand_callback)
186
187         main_layout.setMenuBar(menubar)
188
189         quit_shortcut = QShortcut(QKeySequence("Ctrl+Q"), self)
190         self.connect(quit_shortcut, SIGNAL("activated()"), self.close)
191         close_shortcut = QShortcut(QKeySequence("Ctrl+W"), self)
192         self.connect(close_shortcut, SIGNAL("activated()"), self.close)
193
194         self.setWindowIcon(QIcon(":electrum.png"))
195         self.setWindowTitle("Electrum")
196         self.setWindowFlags(Qt.Window|Qt.MSWindowsFixedSizeDialogHint)
197         self.layout().setSizeConstraint(QLayout.SetFixedSize)
198         self.setObjectName("main_window")
199         self.show()
200     
201     def recompute_style(self):
202         qApp.style().unpolish(self)
203         qApp.style().polish(self)
204
205     def closeEvent(self, event):
206         super(MiniWindow, self).closeEvent(event)
207         qApp.quit()
208
209     def set_payment_fields(self, dest_address, amount):
210         self.address_input.setText(dest_address)
211         self.address_field_changed(dest_address)
212         self.amount_input.setText(amount)
213
214     def activate(self):
215         pass
216
217     def deactivate(self):
218         pass
219
220     def set_quote_currency(self, currency):
221         assert currency in self.quote_currencies
222         self.quote_currencies.remove(currency)
223         self.quote_currencies = [currency] + self.quote_currencies
224         self.refresh_balance()
225
226     def change_quote_currency(self):
227         self.quote_currencies = \
228             self.quote_currencies[1:] + self.quote_currencies[0:1]
229         self.actuator.set_config_currency(self.quote_currencies[0])
230         self.refresh_balance()
231
232     def refresh_balance(self):
233         if self.btc_balance is None:
234             # Price has been discovered before wallet has been loaded
235             # and server connect... so bail.
236             return
237         self.set_balances(self.btc_balance)
238         self.amount_input_changed(self.amount_input.text())
239
240     def set_balances(self, btc_balance):
241         self.btc_balance = btc_balance
242         quote_text = self.create_quote_text(btc_balance)
243         if quote_text:
244             quote_text = "(%s)" % quote_text
245         btc_balance = "%.2f" % (btc_balance / bitcoin(1))
246         self.balance_label.set_balance_text(btc_balance, quote_text)
247         self.setWindowTitle("Electrum - %s BTC" % btc_balance)
248
249     def amount_input_changed(self, amount_text):
250         self.check_button_status()
251
252         try:
253             amount = D(str(amount_text))
254         except decimal.InvalidOperation:
255             self.balance_label.show_balance()
256         else:
257             quote_text = self.create_quote_text(amount * bitcoin(1))
258             if quote_text:
259                 self.balance_label.set_amount_text(quote_text)
260                 self.balance_label.show_amount()
261             else:
262                 self.balance_label.show_balance()
263
264     def create_quote_text(self, btc_balance):
265         quote_currency = self.quote_currencies[0]
266         quote_balance = self.exchanger.exchange(btc_balance, quote_currency)
267         if quote_balance is None:
268             quote_text = ""
269         else:
270             quote_text = "%.2f %s" % ((quote_balance / bitcoin(1)),
271                                       quote_currency)
272         return quote_text
273
274     def send(self):
275         if self.actuator.send(self.address_input.text(),
276                               self.amount_input.text(), self):
277             self.address_input.setText("")
278             self.amount_input.setText("")
279
280     def check_button_status(self):
281       if (self.address_input.property("isValid") is True and
282           len(self.amount_input.text()) > 0):
283         self.send_button.setDisabled(False)
284       else:
285         self.send_button.setDisabled(True)
286
287     def address_field_changed(self, address):
288         if self.actuator.is_valid(address):
289             self.check_button_status()
290             self.address_input.setProperty("isValid", True)
291             self.recompute_style(self.address_input)
292         else:
293             self.send_button.setDisabled(True)
294             self.address_input.setProperty("isValid", False)
295             self.recompute_style(self.address_input)
296
297         if len(address) == 0:
298             self.address_input.setProperty("isValid", None)
299             self.recompute_style(self.address_input)
300
301     def recompute_style(self, element):
302         self.style().unpolish(element)
303         self.style().polish(element)
304
305     def copy_address(self):
306         receive_popup = ReceivePopup(self.receive_button)
307         self.actuator.copy_address(receive_popup)
308
309     def update_completions(self, completions):
310         self.address_completions.setStringList(completions)
311
312     def acceptbit(self):
313         self.actuator.acceptbit(self.quote_currencies[0])
314
315     def show_about(self):
316         QMessageBox.about(self, "Electrum",
317             _("Electrum's focus is speed, with low resource usage and simplifying Bitcoin. You do not need to perform regular backups, because your wallet can be recovered from a secret phrase that you can memorize or write on paper. Startup times are instant because it operates in conjuction with high-performance servers that handle the most complicated parts of the Bitcoin system."))
318
319     def show_report_bug(self):
320         QMessageBox.information(self, "Electrum - " + _("Reporting Bugs"),
321             _("Email bug reports to %s") % "genjix" + "@" + "riseup.net")
322
323 class BalanceLabel(QLabel):
324
325     SHOW_CONNECTING = 1
326     SHOW_BALANCE = 2
327     SHOW_AMOUNT = 3
328
329     def __init__(self, change_quote_currency, parent=None):
330         super(QLabel, self).__init__(_("Connecting..."), parent)
331         self.change_quote_currency = change_quote_currency
332         self.state = self.SHOW_CONNECTING
333         self.balance_text = ""
334         self.amount_text = ""
335
336     def mousePressEvent(self, event):
337         if self.state != self.SHOW_CONNECTING:
338             self.change_quote_currency()
339
340     def set_balance_text(self, btc_balance, quote_text):
341         if self.state == self.SHOW_CONNECTING:
342             self.state = self.SHOW_BALANCE
343         self.balance_text = "<span style='font-size: 18pt'>%s</span> <span style='font-size: 10pt'>BTC</span> <span style='font-size: 10pt'>%s</span>" % (btc_balance, quote_text)
344         if self.state == self.SHOW_BALANCE:
345             self.setText(self.balance_text)
346
347     def set_amount_text(self, quote_text):
348         self.amount_text = "<span style='font-size: 10pt'>%s</span>" % quote_text
349         if self.state == self.SHOW_AMOUNT:
350             self.setText(self.amount_text)
351
352     def show_balance(self):
353         if self.state == self.SHOW_AMOUNT:
354             self.state = self.SHOW_BALANCE
355             self.setText(self.balance_text)
356
357     def show_amount(self):
358         if self.state == self.SHOW_BALANCE:
359             self.state = self.SHOW_AMOUNT
360             self.setText(self.amount_text)
361
362 def ok_cancel_buttons(dialog):
363     row_layout = QHBoxLayout()
364     row_layout.addStretch(1)
365     ok_button = QPushButton(_("OK"))
366     row_layout.addWidget(ok_button)
367     ok_button.clicked.connect(dialog.accept)
368     cancel_button = QPushButton(_("Cancel"))
369     row_layout.addWidget(cancel_button)
370     cancel_button.clicked.connect(dialog.reject)
371     return row_layout
372
373 class PasswordDialog(QDialog):
374
375     def __init__(self, parent):
376         super(QDialog, self).__init__(parent)
377
378         self.setModal(True)
379
380         self.password_input = QLineEdit()
381         self.password_input.setEchoMode(QLineEdit.Password)
382
383         main_layout = QVBoxLayout(self)
384         message = _('Please enter your password')
385         main_layout.addWidget(QLabel(message))
386
387         grid = QGridLayout()
388         grid.setSpacing(8)
389         grid.addWidget(QLabel(_('Password')), 1, 0)
390         grid.addWidget(self.password_input, 1, 1)
391         main_layout.addLayout(grid)
392
393         main_layout.addLayout(ok_cancel_buttons(self))
394         self.setLayout(main_layout) 
395
396     def run(self):
397         if not self.exec_():
398             return
399         return unicode(self.password_input.text())
400
401 class ReceivePopup(QDialog):
402
403     def leaveEvent(self, event):
404         self.close()
405
406     def setup(self, address):
407         label = QLabel(_("Copied your Bitcoin address to the clipboard!"))
408         address_display = QLineEdit(address)
409         address_display.setReadOnly(True)
410         resize_line_edit_width(address_display, address)
411
412         main_layout = QVBoxLayout(self)
413         main_layout.addWidget(label)
414         main_layout.addWidget(address_display)
415
416         self.setMouseTracking(True)
417         self.setWindowTitle("Electrum - " + _("Receive Bitcoin payment"))
418         self.setWindowFlags(Qt.Window|Qt.FramelessWindowHint|Qt.MSWindowsFixedSizeDialogHint)
419         self.layout().setSizeConstraint(QLayout.SetFixedSize)
420         #self.setFrameStyle(QFrame.WinPanel|QFrame.Raised)
421         #self.setAlignment(Qt.AlignCenter)
422
423     def popup(self):
424         parent = self.parent()
425         top_left_pos = parent.mapToGlobal(parent.rect().bottomLeft())
426         self.move(top_left_pos)
427         center_mouse_pos = self.mapToGlobal(self.rect().center())
428         QCursor.setPos(center_mouse_pos)
429         self.show()
430
431 class MiniActuator:
432
433     def __init__(self, wallet):
434         self.wallet = wallet
435
436     def set_configured_currency(self, set_quote_currency):
437         currency = self.wallet.conversion_currency
438         # currency can be none when Electrum is used for the first
439         # time and no setting has been created yet.
440         if currency is not None:
441             set_quote_currency(currency)
442
443     def set_config_currency(self, conversion_currency):
444         self.wallet.conversion_currency = conversion_currency
445
446     def copy_address(self, receive_popup):
447         addrs = [addr for addr in self.wallet.all_addresses()
448                  if not self.wallet.is_change(addr)]
449         # Select most recent addresses from gap limit
450         addrs = addrs[-self.wallet.gap_limit:]
451         copied_address = random.choice(addrs)
452         qApp.clipboard().setText(copied_address)
453         receive_popup.setup(copied_address)
454         receive_popup.popup()
455
456     def send(self, address, amount, parent_window):
457         dest_address = self.fetch_destination(address)
458
459         if dest_address is None or not self.wallet.is_valid(dest_address):
460             QMessageBox.warning(parent_window, _('Error'), 
461                 _('Invalid Bitcoin Address') + ':\n' + address, _('OK'))
462             return False
463
464         convert_amount = lambda amount: \
465             int(D(unicode(amount)) * bitcoin(1))
466         amount = convert_amount(amount)
467
468         if self.wallet.use_encryption:
469             password_dialog = PasswordDialog(parent_window)
470             password = password_dialog.run()
471             if not password:
472                 return
473         else:
474             password = None
475
476         fee = 0
477         # 0.1 BTC = 10000000
478         if amount < bitcoin(1) / 10:
479             # 0.001 BTC
480             fee = bitcoin(1) / 1000
481
482         try:
483             tx = self.wallet.mktx(dest_address, amount, "", password, fee)
484         except BaseException as error:
485             QMessageBox.warning(parent_window, _('Error'), str(error), _('OK'))
486             return False
487             
488         status, message = self.wallet.sendtx(tx)
489         if not status:
490             QMessageBox.warning(parent_window, _('Error'), message, _('OK'))
491             return False
492
493         QMessageBox.information(parent_window, '',
494             _('Payment sent.') + '\n' + message, _('OK'))
495         return True
496
497     def fetch_destination(self, address):
498         recipient = unicode(address).strip()
499
500         # alias
501         match1 = re.match("^(|([\w\-\.]+)@)((\w[\w\-]+\.)+[\w\-]+)$",
502                           recipient)
503
504         # label or alias, with address in brackets
505         match2 = re.match("(.*?)\s*\<([1-9A-HJ-NP-Za-km-z]{26,})\>",
506                           recipient)
507         
508         if match1:
509             dest_address = \
510                 self.wallet.get_alias(recipient, True, 
511                                       self.show_message, self.question)
512             return dest_address
513         elif match2:
514             return match2.group(2)
515         else:
516             return recipient
517
518     def is_valid(self, address):
519         return self.wallet.is_valid(address)
520
521     def acceptbit(self, currency):
522         master_pubkey = self.wallet.master_public_key.encode("hex")
523         url = "http://acceptbit.com/mpk/%s/%s" % (master_pubkey, currency)
524         webbrowser.open(url)
525
526 class MiniDriver(QObject):
527
528     INITIALIZING = 0
529     CONNECTING = 1
530     SYNCHRONIZING = 2
531     READY = 3
532
533     def __init__(self, wallet, window):
534         super(QObject, self).__init__()
535
536         self.wallet = wallet
537         self.window = window
538
539         self.wallet.register_callback(self.update_callback)
540
541         self.state = None
542
543         self.initializing()
544         self.connect(self, SIGNAL("updatesignal()"), self.update)
545         self.update_callback()
546
547     # This is a hack to workaround that Qt does not like changing the
548     # window properties from this other thread before the runloop has
549     # been called from.
550     def update_callback(self):
551         self.emit(SIGNAL("updatesignal()"))
552
553     def update(self):
554         if not self.wallet.interface:
555             self.initializing()
556         elif not self.wallet.interface.is_connected:
557             self.connecting()
558         elif not self.wallet.blocks == -1:
559             self.connecting()
560         elif not self.wallet.is_up_to_date:
561             self.synchronizing()
562         else:
563             self.ready()
564
565         if self.wallet.up_to_date:
566             self.update_balance()
567             self.update_completions()
568
569     def initializing(self):
570         if self.state == self.INITIALIZING:
571             return
572         self.state = self.INITIALIZING
573         self.window.deactivate()
574
575     def connecting(self):
576         if self.state == self.CONNECTING:
577             return
578         self.state = self.CONNECTING
579         self.window.deactivate()
580
581     def synchronizing(self):
582         if self.state == self.SYNCHRONIZING:
583             return
584         self.state = self.SYNCHRONIZING
585         self.window.deactivate()
586
587     def ready(self):
588         if self.state == self.READY:
589             return
590         self.state = self.READY
591         self.window.activate()
592
593     def update_balance(self):
594         conf_balance, unconf_balance = self.wallet.get_balance()
595         balance = D(conf_balance + unconf_balance)
596         self.window.set_balances(balance)
597
598     def update_completions(self):
599         completions = []
600         for addr, label in self.wallet.labels.items():
601             if addr in self.wallet.addressbook:
602                 completions.append("%s <%s>" % (label, addr))
603         completions = completions + self.wallet.aliases.keys()
604         self.window.update_completions(completions)
605
606 if __name__ == "__main__":
607     app = QApplication(sys.argv)
608     with open(rsrc("style.css")) as style_file:
609         app.setStyleSheet(style_file.read())
610     mini = MiniWindow()
611     sys.exit(app.exec_())
612