separate core and gui in different modules
[electrum-nvc.git] / gui / gui_lite.py
1 import sys
2
3 # Let's do some dep checking and handle missing ones gracefully
4 try:
5     from PyQt4.QtCore import *
6     from PyQt4.QtGui import *
7     import PyQt4.QtCore as QtCore
8
9 except ImportError:
10     print "You need to have PyQT installed to run Electrum in graphical mode."
11     print "If you have pip installed try 'sudo pip install pyqt' if you are on Debian/Ubuntu try 'sudo apt-get install python-qt4'."
12     sys.exit(0)
13
14 from decimal import Decimal as D
15 from electrum.util import get_resource_path as rsrc
16 from electrum.bitcoin import is_valid
17 from i18n import _
18 import decimal
19 import exchange_rate
20 import os.path
21 import random
22 import re
23 import time
24 from electrum import wallet
25 import webbrowser
26 import history_widget
27 import receiving_widget
28 from electrum import util
29 import csv 
30 import datetime
31
32 from electrum.version import ELECTRUM_VERSION as electrum_version
33 from electrum.util import format_satoshis, age
34 import gui_qt
35 import shutil
36
37 bitcoin = lambda v: v * 100000000
38
39 def IconButton(filename, parent=None):
40     pixmap = QPixmap(filename)
41     icon = QIcon(pixmap)
42     return QPushButton(icon, "", parent)
43
44 class Timer(QThread):
45     def run(self):
46         while True:
47             self.emit(SIGNAL('timersignal'))
48             time.sleep(0.5)
49
50 def resize_line_edit_width(line_edit, text_input):
51     metrics = QFontMetrics(qApp.font())
52     # Create an extra character to add some space on the end
53     text_input += "A"
54     line_edit.setMinimumWidth(metrics.width(text_input))
55
56 def load_theme_name(theme_path):
57     try:
58         with open(os.path.join(theme_path, "name.cfg")) as name_cfg_file:
59             return name_cfg_file.read().rstrip("\n").strip()
60     except IOError:
61         return None
62
63
64 def theme_dirs_from_prefix(prefix):
65     if not os.path.exists(prefix):
66         return []
67     theme_paths = {}
68     for potential_theme in os.listdir(prefix):
69         theme_full_path = os.path.join(prefix, potential_theme)
70         theme_css = os.path.join(theme_full_path, "style.css")
71         if not os.path.exists(theme_css):
72             continue
73         theme_name = load_theme_name(theme_full_path)
74         if theme_name is None:
75             continue
76         theme_paths[theme_name] = prefix, potential_theme
77     return theme_paths
78
79 def load_theme_paths():
80     theme_paths = {}
81     prefixes = (util.local_data_dir(), util.appdata_dir())
82     for prefix in prefixes:
83         theme_paths.update(theme_dirs_from_prefix(prefix))
84     return theme_paths
85
86
87 def csv_transaction(wallet):
88     try:
89         select_export = _('Select file to export your wallet transactions to')
90         fileName = QFileDialog.getSaveFileName(QWidget(), select_export, os.path.expanduser('~/electrum-history.csv'), "*.csv")
91         if fileName:
92             with open(fileName, "w+") as csvfile:
93                 transaction = csv.writer(csvfile)
94                 transaction.writerow(["transaction_hash","label", "confirmations", "value", "fee", "balance", "timestamp"])
95                 for item in wallet.get_tx_history():
96                     tx_hash, confirmations, is_mine, value, fee, balance, timestamp = item
97                     if confirmations:
98                         if timestamp is not None:
99                             try:
100                                 time_string = datetime.datetime.fromtimestamp(timestamp).isoformat(' ')[:-3]
101                             except [RuntimeError, TypeError, NameError] as reason:
102                                 time_string = "unknown"
103                                 pass
104                         else:
105                           time_string = "unknown"
106                     else:
107                         time_string = "pending"
108
109                     if value is not None:
110                         value_string = format_satoshis(value, True, wallet.num_zeros)
111                     else:
112                         value_string = '--'
113
114                     if fee is not None:
115                         fee_string = format_satoshis(fee, True, wallet.num_zeros)
116                     else:
117                         fee_string = '0'
118
119                     if tx_hash:
120                         label, is_default_label = wallet.get_label(tx_hash)
121                     else:
122                       label = ""
123
124                     balance_string = format_satoshis(balance, False, wallet.num_zeros)
125                     transaction.writerow([tx_hash, label, confirmations, value_string, fee_string, balance_string, time_string])
126                 QMessageBox.information(None,"CSV Export created", "Your CSV export has been successfully created.")
127     except (IOError, os.error), reason:
128         export_error_label = _("Electrum was unable to produce a transaction export.")
129         QMessageBox.critical(None,"Unable to create csv", export_error_label + "\n" + str(reason))
130
131
132 class ElectrumGui(QObject):
133
134     def __init__(self, wallet, config, expert=None):
135         super(QObject, self).__init__()
136
137         self.wallet = wallet
138         self.config = config
139         self.check_qt_version()
140         self.expert = expert
141         if self.expert != None:
142             self.app = self.expert.app
143         else:
144             self.app = QApplication(sys.argv)
145
146     def check_qt_version(self):
147         qtVersion = qVersion()
148         if not(int(qtVersion[0]) >= 4 and int(qtVersion[2]) >= 7):
149             app = QApplication(sys.argv)
150             QMessageBox.warning(None,"Could not start Lite GUI.", "Electrum was unable to load the 'Lite GUI' because it needs Qt version >= 4.7.\nChanging your config to use the 'Classic' GUI")
151             self.config.set_key('gui','classic',True)
152             sys.exit(0)
153
154
155     def main(self, url):
156         actuator = MiniActuator(self.wallet)
157         # Should probably not modify the current path but instead
158         # change the behaviour of rsrc(...)
159         old_path = QDir.currentPath()
160         actuator.load_theme()
161
162         self.mini = MiniWindow(actuator, self.expand, self.config)
163         driver = MiniDriver(self.wallet, self.mini)
164
165         # Reset path back to original value now that loading the GUI
166         # is completed.
167         QDir.setCurrent(old_path)
168
169         if url:
170             self.set_url(url)
171             
172         if self.expert == None:
173             timer = Timer()
174             timer.start()
175             self.expert = gui_qt.ElectrumWindow(self.wallet, self.config)
176             self.expert.app = self.app
177             self.expert.connect_slots(timer)
178             self.expert.update_wallet()
179             self.app.exec_()
180
181     def expand(self):
182         """Hide the lite mode window and show pro-mode."""
183         self.config.set_key('gui', 'classic', True)
184         self.mini.hide()
185         self.expert.show()
186
187     def set_url(self, url):
188         payto, amount, label, message, signature, identity, url = \
189             self.wallet.parse_url(url, self.show_message, self.show_question)
190         self.mini.set_payment_fields(payto, amount)
191
192     def show_message(self, message):
193         QMessageBox.information(self.mini, _("Message"), message, _("OK"))
194
195     def show_question(self, message):
196         choice = QMessageBox.question(self.mini, _("Message"), message,
197                                       QMessageBox.Yes|QMessageBox.No,
198                                       QMessageBox.No)
199         return choice == QMessageBox.Yes
200
201     def restore_or_create(self):
202         qt_gui_object = gui_qt.ElectrumGui(self.wallet, self.app)
203         return qt_gui_object.restore_or_create()
204
205 class TransactionWindow(QDialog):
206
207     def set_label(self):
208         label = unicode(self.label_edit.text())
209         self.parent.wallet.labels[self.tx_id] = label
210
211         super(TransactionWindow, self).accept() 
212
213     def __init__(self, transaction_id, parent):
214         super(TransactionWindow, self).__init__()
215
216         self.tx_id = str(transaction_id)
217         self.parent = parent
218
219         self.setModal(True)
220         self.resize(200,100)
221         self.setWindowTitle(_("Transaction successfully sent"))
222
223         self.layout = QGridLayout(self)
224         history_label = "%s\n%s" % (_("Your transaction has been sent."), _("Please enter a label for this transaction for future reference."))
225         self.layout.addWidget(QLabel(history_label))
226
227         self.label_edit = QLineEdit()
228         self.label_edit.setPlaceholderText(_("Transaction label"))
229         self.label_edit.setObjectName("label_input")
230         self.label_edit.setAttribute(Qt.WA_MacShowFocusRect, 0)
231         self.label_edit.setFocusPolicy(Qt.ClickFocus)
232         self.layout.addWidget(self.label_edit)
233
234         self.save_button = QPushButton(_("Save"))
235         self.layout.addWidget(self.save_button)
236         self.save_button.clicked.connect(self.set_label)
237
238         self.exec_()
239
240 class MiniWindow(QDialog):
241
242     def __init__(self, actuator, expand_callback, config):
243         super(MiniWindow, self).__init__()
244         tx = "e08115d0f7819aee65b9d24f81ef9d46eb62bb67ddef5318156cbc3ceb7b703e"
245
246         self.actuator = actuator
247         self.config = config
248         self.btc_balance = None
249         self.quote_currencies = ["BRL", "CNY", "EUR", "GBP", "RUB", "USD"]
250         self.actuator.set_configured_currency(self.set_quote_currency)
251         self.exchanger = exchange_rate.Exchanger(self)
252         # Needed because price discovery is done in a different thread
253         # which needs to be sent back to this main one to update the GUI
254         self.connect(self, SIGNAL("refresh_balance()"), self.refresh_balance)
255
256         self.balance_label = BalanceLabel(self.change_quote_currency)
257         self.balance_label.setObjectName("balance_label")
258
259
260         # Bitcoin address code
261         self.address_input = QLineEdit()
262         self.address_input.setPlaceholderText(_("Enter a Bitcoin address or contact"))
263         self.address_input.setObjectName("address_input")
264
265         self.address_input.setFocusPolicy(Qt.ClickFocus)
266
267         self.address_input.textChanged.connect(self.address_field_changed)
268         resize_line_edit_width(self.address_input,
269                                "1BtaFUr3qVvAmwrsuDuu5zk6e4s2rxd2Gy")
270
271         self.address_completions = QStringListModel()
272         address_completer = QCompleter(self.address_input)
273         address_completer.setCaseSensitivity(False)
274         address_completer.setModel(self.address_completions)
275         self.address_input.setCompleter(address_completer)
276
277         address_layout = QHBoxLayout()
278         address_layout.addWidget(self.address_input)
279
280         self.amount_input = QLineEdit()
281         self.amount_input.setPlaceholderText(_("... and amount"))
282         self.amount_input.setObjectName("amount_input")
283
284         self.amount_input.setFocusPolicy(Qt.ClickFocus)
285         # This is changed according to the user's displayed balance
286         self.amount_validator = QDoubleValidator(self.amount_input)
287         self.amount_validator.setNotation(QDoubleValidator.StandardNotation)
288         self.amount_validator.setDecimals(8)
289         self.amount_input.setValidator(self.amount_validator)
290
291         # This removes the very ugly OSX highlighting, please leave this in :D
292         self.address_input.setAttribute(Qt.WA_MacShowFocusRect, 0)
293         self.amount_input.setAttribute(Qt.WA_MacShowFocusRect, 0)
294         self.amount_input.textChanged.connect(self.amount_input_changed)
295
296         self.send_button = QPushButton(_("&Send"))
297         self.send_button.setObjectName("send_button")
298         self.send_button.setDisabled(True);
299         self.send_button.clicked.connect(self.send)
300
301         # Creating the receive button
302         self.switch_button = QPushButton( QIcon(":icons/switchgui.png"),'' )
303         self.switch_button.setMaximumWidth(25)
304         self.switch_button.setFlat(True)
305         self.switch_button.clicked.connect(expand_callback)
306
307         main_layout = QGridLayout(self)
308
309         main_layout.addWidget(self.balance_label, 0, 0, 1, 3)
310         main_layout.addWidget(self.switch_button, 0, 3)
311
312         main_layout.addWidget(self.address_input, 1, 0, 1, 4)
313         main_layout.addWidget(self.amount_input, 2, 0, 1, 2)
314         main_layout.addWidget(self.send_button, 2, 2, 1, 2)
315
316         self.send_button.setMaximumWidth(125)
317
318         self.history_list = history_widget.HistoryWidget()
319         self.history_list.setObjectName("history")
320         self.history_list.hide()
321         self.history_list.setAlternatingRowColors(True)
322
323         main_layout.addWidget(self.history_list, 3, 0, 1, 4)
324
325         self.receiving = receiving_widget.ReceivingWidget(self)
326         self.receiving.setObjectName("receiving")
327
328         # Add to the right side 
329         self.receiving_box = QGroupBox(_("Select a receiving address"))
330         extra_layout = QGridLayout()
331
332         # Checkbox to filter used addresses
333         hide_used = QCheckBox(_('Hide used addresses'))
334         hide_used.setChecked(True)
335         hide_used.stateChanged.connect(self.receiving.toggle_used)
336
337         # Events for receiving addresses
338         self.receiving.clicked.connect(self.receiving.copy_address)
339         self.receiving.itemDoubleClicked.connect(self.receiving.edit_label)
340         self.receiving.itemChanged.connect(self.receiving.update_label)
341
342
343         # Label
344         extra_layout.addWidget( QLabel(_('Selecting an address will copy it to the clipboard.') + '\n' + _('Double clicking the label will allow you to edit it.') ),0,0)
345
346         extra_layout.addWidget(self.receiving, 1,0)
347         extra_layout.addWidget(hide_used, 2,0)
348         extra_layout.setColumnMinimumWidth(0,200)
349
350         self.receiving_box.setLayout(extra_layout)
351         main_layout.addWidget(self.receiving_box,0,4,-1,3)
352         self.receiving_box.hide()
353
354         # Creating the menu bar
355         menubar = QMenuBar()
356         electrum_menu = menubar.addMenu(_("&Electrum"))
357
358         quit_option = electrum_menu.addAction(_("&Close"))
359
360         quit_option.triggered.connect(self.close)
361
362         view_menu = menubar.addMenu(_("&View"))
363         extra_menu = menubar.addMenu(_("&Extra"))
364
365         backup_wallet = extra_menu.addAction( _("&Create wallet backup"))
366         backup_wallet.triggered.connect(self.backup_wallet)
367
368         export_csv = extra_menu.addAction( _("&Export transactions to CSV") )
369         export_csv.triggered.connect(lambda: csv_transaction(self.actuator.wallet))
370         
371         master_key = extra_menu.addAction( _("Copy master public key to clipboard") ) 
372         master_key.triggered.connect(self.actuator.copy_master_public_key)
373
374         expert_gui = view_menu.addAction(_("&Classic GUI"))
375         expert_gui.triggered.connect(expand_callback)
376         themes_menu = view_menu.addMenu(_("&Themes"))
377         selected_theme = self.actuator.selected_theme()
378         theme_group = QActionGroup(self)
379         for theme_name in self.actuator.theme_names():
380             theme_action = themes_menu.addAction(theme_name)
381             theme_action.setCheckable(True)
382             if selected_theme == theme_name:
383                 theme_action.setChecked(True)
384             class SelectThemeFunctor:
385                 def __init__(self, theme_name, toggle_theme):
386                     self.theme_name = theme_name
387                     self.toggle_theme = toggle_theme
388                 def __call__(self, checked):
389                     if checked:
390                         self.toggle_theme(self.theme_name)
391             delegate = SelectThemeFunctor(theme_name, self.toggle_theme)
392             theme_action.toggled.connect(delegate)
393             theme_group.addAction(theme_action)
394         view_menu.addSeparator()
395
396         show_receiving = view_menu.addAction(_("Show Receiving addresses"))
397         show_receiving.setCheckable(True)
398         show_receiving.toggled.connect(self.toggle_receiving_layout)
399
400         show_receiving_toggle = self.config.get("gui_show_receiving",False)
401         show_receiving.setChecked(show_receiving_toggle)
402         self.show_receiving = show_receiving
403
404         self.toggle_receiving_layout(show_receiving_toggle)
405
406
407         show_history = view_menu.addAction(_("Show History"))
408         show_history.setCheckable(True)
409         show_history.toggled.connect(self.show_history)
410
411         help_menu = menubar.addMenu(_("&Help"))
412         the_website = help_menu.addAction(_("&Website"))
413         the_website.triggered.connect(self.the_website)
414         help_menu.addSeparator()
415         report_bug = help_menu.addAction(_("&Report Bug"))
416         report_bug.triggered.connect(self.show_report_bug)
417         show_about = help_menu.addAction(_("&About"))
418         show_about.triggered.connect(self.show_about)
419         main_layout.setMenuBar(menubar)
420         self.main_layout = main_layout
421
422         quit_shortcut = QShortcut(QKeySequence("Ctrl+Q"), self)
423         quit_shortcut.activated.connect(self.close)
424         close_shortcut = QShortcut(QKeySequence("Ctrl+W"), self)
425         close_shortcut.activated.connect(self.close)
426
427         g = self.config.get("winpos-lite",[4, 25, 351, 149])
428         self.setGeometry(g[0], g[1], g[2], g[3])
429
430         show_hist = self.config.get("gui_show_history",False)
431         show_history.setChecked(show_hist)
432         self.show_history(show_hist)
433         
434         self.setWindowIcon(QIcon(":electrum.png"))
435         self.setWindowTitle("Electrum")
436         self.setWindowFlags(Qt.Window|Qt.MSWindowsFixedSizeDialogHint)
437         self.layout().setSizeConstraint(QLayout.SetFixedSize)
438         self.setObjectName("main_window")
439         self.show()
440
441
442     def toggle_theme(self, theme_name):
443         old_path = QDir.currentPath()
444         self.actuator.change_theme(theme_name)
445         # Recompute style globally
446         qApp.style().unpolish(self)
447         qApp.style().polish(self)
448         QDir.setCurrent(old_path)
449
450     def closeEvent(self, event):
451         g = self.geometry()
452         self.config.set_key("winpos-lite", [g.left(),g.top(),g.width(),g.height()],True)
453         self.config.set_key("gui_show_history", self.history_list.isVisible(),True)
454         self.config.set_key("gui_show_receiving", self.receiving_box.isVisible(),True)
455         
456         super(MiniWindow, self).closeEvent(event)
457         qApp.quit()
458
459     def set_payment_fields(self, dest_address, amount):
460         self.address_input.setText(dest_address)
461         self.address_field_changed(dest_address)
462         self.amount_input.setText(amount)
463
464     def activate(self):
465         pass
466
467     def deactivate(self):
468         pass
469
470     def set_quote_currency(self, currency):
471         """Set and display the fiat currency country."""
472         assert currency in self.quote_currencies
473         self.quote_currencies.remove(currency)
474         self.quote_currencies.insert(0, currency)
475         self.refresh_balance()
476
477     def change_quote_currency(self):
478         self.quote_currencies = \
479             self.quote_currencies[1:] + self.quote_currencies[0:1]
480         self.actuator.set_config_currency(self.quote_currencies[0])
481         self.refresh_balance()
482
483     def refresh_balance(self):
484         if self.btc_balance is None:
485             # Price has been discovered before wallet has been loaded
486             # and server connect... so bail.
487             return
488         self.set_balances(self.btc_balance)
489         self.amount_input_changed(self.amount_input.text())
490
491     def set_balances(self, btc_balance):
492         """Set the bitcoin balance and update the amount label accordingly."""
493         self.btc_balance = btc_balance
494         quote_text = self.create_quote_text(btc_balance)
495         if quote_text:
496             quote_text = "(%s)" % quote_text
497         btc_balance = "%.2f" % (btc_balance / bitcoin(1))
498         self.balance_label.set_balance_text(btc_balance, quote_text)
499         self.setWindowTitle("Electrum %s - %s BTC" % (electrum_version, btc_balance))
500
501     def amount_input_changed(self, amount_text):
502         """Update the number of bitcoins displayed."""
503         self.check_button_status()
504
505         try:
506             amount = D(str(amount_text))
507         except decimal.InvalidOperation:
508             self.balance_label.show_balance()
509         else:
510             quote_text = self.create_quote_text(amount * bitcoin(1))
511             if quote_text:
512                 self.balance_label.set_amount_text(quote_text)
513                 self.balance_label.show_amount()
514             else:
515                 self.balance_label.show_balance()
516
517     def create_quote_text(self, btc_balance):
518         """Return a string copy of the amount fiat currency the 
519         user has in bitcoins."""
520         quote_currency = self.quote_currencies[0]
521         quote_balance = self.exchanger.exchange(btc_balance, quote_currency)
522         if quote_balance is None:
523             quote_text = ""
524         else:
525             quote_text = "%.2f %s" % ((quote_balance / bitcoin(1)),
526                                       quote_currency)
527         return quote_text
528
529     def send(self):
530         if self.actuator.send(self.address_input.text(),
531                               self.amount_input.text(), self):
532             self.address_input.setText("")
533             self.amount_input.setText("")
534
535     def check_button_status(self):
536         """Check that the bitcoin address is valid and that something
537         is entered in the amount before making the send button clickable."""
538         try:
539             value = D(str(self.amount_input.text())) * 10**8
540         except decimal.InvalidOperation:
541             value = None
542         # self.address_input.property(...) returns a qVariant, not a bool.
543         # The == is needed to properly invoke a comparison.
544         if (self.address_input.property("isValid") == True and
545             value is not None and 0 < value <= self.btc_balance):
546             self.send_button.setDisabled(False)
547         else:
548             self.send_button.setDisabled(True)
549
550     def address_field_changed(self, address):
551         # label or alias, with address in brackets
552         match2 = re.match("(.*?)\s*\<([1-9A-HJ-NP-Za-km-z]{26,})\>",
553                           address)
554         if match2:
555           address = match2.group(2)
556           self.address_input.setText(address)
557
558         if is_valid(address):
559             self.check_button_status()
560             self.address_input.setProperty("isValid", True)
561             self.recompute_style(self.address_input)
562         else:
563             self.send_button.setDisabled(True)
564             self.address_input.setProperty("isValid", False)
565             self.recompute_style(self.address_input)
566
567         if len(address) == 0:
568             self.address_input.setProperty("isValid", None)
569             self.recompute_style(self.address_input)
570
571     def recompute_style(self, element):
572         self.style().unpolish(element)
573         self.style().polish(element)
574
575     def copy_address(self):
576         receive_popup = ReceivePopup(self.receive_button)
577         self.actuator.copy_address(receive_popup)
578
579     def update_completions(self, completions):
580         self.address_completions.setStringList(completions)
581  
582
583     def update_history(self, tx_history):
584
585         self.history_list.empty()
586
587         for item in tx_history[-10:]:
588             tx_hash, conf, is_mine, value, fee, balance, timestamp = item
589             label = self.actuator.wallet.get_label(tx_hash)[0]
590             #amount = D(value) / 10**8
591             v_str = format_satoshis(value, True)
592             self.history_list.append(label, v_str, age(timestamp))
593
594     def acceptbit(self):
595         self.actuator.acceptbit(self.quote_currencies[0])
596
597     def the_website(self):
598         webbrowser.open("http://electrum.org")
599
600     def show_about(self):
601         QMessageBox.about(self, "Electrum",
602             _("Version")+" %s" % (electrum_version) + "\n\n" + _("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 conjunction with high-performance servers that handle the most complicated parts of the Bitcoin system."))
603
604     def show_report_bug(self):
605         QMessageBox.information(self, "Electrum - " + _("Reporting Bugs"),
606             _("Please report any bugs as issues on github:")+" <a href=\"https://github.com/spesmilo/electrum/issues\">https://github.com/spesmilo/electrum/issues</a>")
607
608     def toggle_receiving_layout(self, toggle_state):
609         if toggle_state:
610           self.receiving_box.show()
611         else:
612           self.receiving_box.hide()
613
614     def show_history(self, toggle_state):
615         if toggle_state:
616             self.main_layout.setRowMinimumHeight(3,200)
617             self.history_list.show()
618         else:
619             self.main_layout.setRowMinimumHeight(3,0)
620             self.history_list.hide()
621
622     def backup_wallet(self):
623         try:
624           folderName = QFileDialog.getExistingDirectory(QWidget(), _('Select folder to save a copy of your wallet to'), os.path.expanduser('~/'))
625           if folderName:
626             sourceFile = util.user_dir() + '/electrum.dat'
627             shutil.copy2(sourceFile, str(folderName))
628             QMessageBox.information(None,"Wallet backup created", _("A copy of your wallet file was created in")+" '%s'" % str(folderName))
629         except (IOError, os.error), reason:
630           QMessageBox.critical(None,"Unable to create backup", _("Electrum was unable to copy your wallet file to the specified location.")+"\n" + str(reason))
631
632
633
634
635 class BalanceLabel(QLabel):
636
637     SHOW_CONNECTING = 1
638     SHOW_BALANCE = 2
639     SHOW_AMOUNT = 3
640
641     def __init__(self, change_quote_currency, parent=None):
642         super(QLabel, self).__init__(_("Connecting..."), parent)
643         self.change_quote_currency = change_quote_currency
644         self.state = self.SHOW_CONNECTING
645         self.balance_text = ""
646         self.amount_text = ""
647
648     def mousePressEvent(self, event):
649         """Change the fiat currency selection if window background is clicked."""
650         if self.state != self.SHOW_CONNECTING:
651             self.change_quote_currency()
652
653     def set_balance_text(self, btc_balance, quote_text):
654         """Set the amount of bitcoins in the gui."""
655         if self.state == self.SHOW_CONNECTING:
656             self.state = self.SHOW_BALANCE
657         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)
658         if self.state == self.SHOW_BALANCE:
659             self.setText(self.balance_text)
660
661     def set_amount_text(self, quote_text):
662         self.amount_text = "<span style='font-size: 10pt'>%s</span>" % quote_text
663         if self.state == self.SHOW_AMOUNT:
664             self.setText(self.amount_text)
665
666     def show_balance(self):
667         if self.state == self.SHOW_AMOUNT:
668             self.state = self.SHOW_BALANCE
669             self.setText(self.balance_text)
670
671     def show_amount(self):
672         if self.state == self.SHOW_BALANCE:
673             self.state = self.SHOW_AMOUNT
674             self.setText(self.amount_text)
675
676 def ok_cancel_buttons(dialog):
677     row_layout = QHBoxLayout()
678     row_layout.addStretch(1)
679     ok_button = QPushButton(_("OK"))
680     row_layout.addWidget(ok_button)
681     ok_button.clicked.connect(dialog.accept)
682     cancel_button = QPushButton(_("Cancel"))
683     row_layout.addWidget(cancel_button)
684     cancel_button.clicked.connect(dialog.reject)
685     return row_layout
686
687 class PasswordDialog(QDialog):
688
689     def __init__(self, parent):
690         super(QDialog, self).__init__(parent)
691
692         self.setModal(True)
693
694         self.password_input = QLineEdit()
695         self.password_input.setEchoMode(QLineEdit.Password)
696
697         main_layout = QVBoxLayout(self)
698         message = _('Please enter your password')
699         main_layout.addWidget(QLabel(message))
700
701         grid = QGridLayout()
702         grid.setSpacing(8)
703         grid.addWidget(QLabel(_('Password')), 1, 0)
704         grid.addWidget(self.password_input, 1, 1)
705         main_layout.addLayout(grid)
706
707         main_layout.addLayout(ok_cancel_buttons(self))
708         self.setLayout(main_layout) 
709
710     def run(self):
711         if not self.exec_():
712             return
713         return unicode(self.password_input.text())
714
715 class ReceivePopup(QDialog):
716
717     def leaveEvent(self, event):
718         self.close()
719
720     def setup(self, address):
721         label = QLabel(_("Copied your Bitcoin address to the clipboard!"))
722         address_display = QLineEdit(address)
723         address_display.setReadOnly(True)
724         resize_line_edit_width(address_display, address)
725
726         main_layout = QVBoxLayout(self)
727         main_layout.addWidget(label)
728         main_layout.addWidget(address_display)
729
730         self.setMouseTracking(True)
731         self.setWindowTitle("Electrum - " + _("Receive Bitcoin payment"))
732         self.setWindowFlags(Qt.Window|Qt.FramelessWindowHint|
733                             Qt.MSWindowsFixedSizeDialogHint)
734         self.layout().setSizeConstraint(QLayout.SetFixedSize)
735         #self.setFrameStyle(QFrame.WinPanel|QFrame.Raised)
736         #self.setAlignment(Qt.AlignCenter)
737
738     def popup(self):
739         parent = self.parent()
740         top_left_pos = parent.mapToGlobal(parent.rect().bottomLeft())
741         self.move(top_left_pos)
742         center_mouse_pos = self.mapToGlobal(self.rect().center())
743         QCursor.setPos(center_mouse_pos)
744         self.show()
745
746 class MiniActuator:
747     """Initialize the definitions relating to themes and 
748     sending/receiving bitcoins."""
749     
750     
751     def __init__(self, wallet):
752         """Retrieve the gui theme used in previous session."""
753         self.wallet = wallet
754         self.theme_name = self.wallet.config.get('litegui_theme','Cleanlook')
755         self.themes = load_theme_paths()
756
757     def load_theme(self):
758         """Load theme retrieved from wallet file."""
759         try:
760             theme_prefix, theme_path = self.themes[self.theme_name]
761         except KeyError:
762             util.print_error("Theme not found!", self.theme_name)
763             return
764         QDir.setCurrent(os.path.join(theme_prefix, theme_path))
765         with open(rsrc("style.css")) as style_file:
766             qApp.setStyleSheet(style_file.read())
767
768     def theme_names(self):
769         """Sort themes."""
770         return sorted(self.themes.keys())
771     
772     def selected_theme(self):
773         """Select theme."""
774         return self.theme_name
775
776     def change_theme(self, theme_name):
777         """Change theme."""
778         self.theme_name = theme_name
779         self.wallet.config.set_key('litegui_theme',theme_name)
780         self.load_theme()
781     
782     def set_configured_currency(self, set_quote_currency):
783         """Set the inital fiat currency conversion country (USD/EUR/GBP) in 
784         the GUI to what it was set to in the wallet."""
785         currency = self.wallet.config.get('conversion_currency')
786         # currency can be none when Electrum is used for the first
787         # time and no setting has been created yet.
788         if currency is not None:
789             set_quote_currency(currency)
790
791     def set_config_currency(self, conversion_currency):
792         """Change the wallet fiat currency country."""
793         self.wallet.config.set_key('conversion_currency',conversion_currency,True)
794
795     def copy_address(self, receive_popup):
796         """Copy the wallet addresses into the client."""
797         addrs = [addr for addr in self.wallet.addresses(True)
798                  if not self.wallet.is_change(addr)]
799         # Select most recent addresses from gap limit
800         addrs = addrs[-self.wallet.gap_limit:]
801         copied_address = random.choice(addrs)
802         qApp.clipboard().setText(copied_address)
803         receive_popup.setup(copied_address)
804         receive_popup.popup()
805
806     def waiting_dialog(self, f):
807         s = Timer()
808         s.start()
809         w = QDialog()
810         w.resize(200, 70)
811         w.setWindowTitle('Electrum')
812         l = QLabel('Sending transaction, please wait.')
813         vbox = QVBoxLayout()
814         vbox.addWidget(l)
815         w.setLayout(vbox)
816         w.show()
817         def ff():
818             s = f()
819             if s: l.setText(s)
820             else: w.close()
821         w.connect(s, QtCore.SIGNAL('timersignal'), ff)
822         w.exec_()
823         w.destroy()
824
825
826     def send(self, address, amount, parent_window):
827         """Send bitcoins to the target address."""
828         dest_address = self.fetch_destination(address)
829
830         if dest_address is None or not is_valid(dest_address):
831             QMessageBox.warning(parent_window, _('Error'), 
832                 _('Invalid Bitcoin Address') + ':\n' + address, _('OK'))
833             return False
834
835         convert_amount = lambda amount: \
836             int(D(unicode(amount)) * bitcoin(1))
837         amount = convert_amount(amount)
838
839         if self.wallet.use_encryption:
840             password_dialog = PasswordDialog(parent_window)
841             password = password_dialog.run()
842             if not password:
843                 return
844         else:
845             password = None
846
847         fee = 0
848         # 0.1 BTC = 10000000
849         if amount < bitcoin(1) / 10:
850             # 0.001 BTC
851             fee = bitcoin(1) / 1000
852
853         try:
854             tx = self.wallet.mktx([(dest_address, amount)], password, fee)
855         except BaseException as error:
856             QMessageBox.warning(parent_window, _('Error'), str(error), _('OK'))
857             return False
858
859         h = self.wallet.send_tx(tx)
860
861         self.waiting_dialog(lambda: False if self.wallet.tx_event.isSet() else _("Sending transaction, please wait..."))
862           
863         status, message = self.wallet.receive_tx(h)
864
865         if not status:
866             import tempfile
867             dumpf = tempfile.NamedTemporaryFile(delete=False)
868             dumpf.write(tx)
869             dumpf.close()
870             print "Dumped error tx to", dumpf.name
871             QMessageBox.warning(parent_window, _('Error'), message, _('OK'))
872             return False
873       
874         TransactionWindow(message, self)
875 #        QMessageBox.information(parent_window, '',
876 #            _('Your transaction has been sent.') + '\n' + message, _('OK'))
877         return True
878
879     def fetch_destination(self, address):
880         recipient = unicode(address).strip()
881
882         # alias
883         match1 = re.match("^(|([\w\-\.]+)@)((\w[\w\-]+\.)+[\w\-]+)$",
884                           recipient)
885
886         # label or alias, with address in brackets
887         match2 = re.match("(.*?)\s*\<([1-9A-HJ-NP-Za-km-z]{26,})\>",
888                           recipient)
889         
890         if match1:
891             dest_address = \
892                 self.wallet.get_alias(recipient, True, 
893                                       self.show_message, self.question)
894             return dest_address
895         elif match2:
896             return match2.group(2)
897         else:
898             return recipient
899
900
901     def copy_master_public_key(self):
902         master_pubkey = self.wallet.master_public_key
903         qApp.clipboard().setText(master_pubkey)
904         QMessageBox.information(None, _("Copy successful"), _("Your master public key has been copied to your clipboard."))
905         
906
907     def acceptbit(self, currency):
908         master_pubkey = self.wallet.master_public_key
909         url = "http://acceptbit.com/mpk/%s/%s" % (master_pubkey, currency)
910         webbrowser.open(url)
911
912     def show_seed_dialog(self):
913         gui_qt.ElectrumWindow.show_seed_dialog(self.wallet)
914
915 class MiniDriver(QObject):
916
917     INITIALIZING = 0
918     CONNECTING = 1
919     SYNCHRONIZING = 2
920     READY = 3
921
922     def __init__(self, wallet, window):
923         super(QObject, self).__init__()
924
925         self.wallet = wallet
926         self.window = window
927
928         self.wallet.interface.register_callback('updated',self.update_callback)
929         self.wallet.interface.register_callback('connected', self.update_callback)
930         self.wallet.interface.register_callback('disconnected', self.update_callback)
931
932         self.state = None
933
934         self.initializing()
935         self.connect(self, SIGNAL("updatesignal()"), self.update)
936         self.update_callback()
937
938     # This is a hack to workaround that Qt does not like changing the
939     # window properties from this other thread before the runloop has
940     # been called from.
941     def update_callback(self):
942         self.emit(SIGNAL("updatesignal()"))
943
944     def update(self):
945         if not self.wallet.interface:
946             self.initializing()
947         elif not self.wallet.interface.is_connected:
948             self.connecting()
949         elif not self.wallet.up_to_date:
950             self.synchronizing()
951         else:
952             self.ready()
953
954         if self.wallet.up_to_date:
955             self.update_balance()
956             self.update_completions()
957             self.update_history()
958
959     def initializing(self):
960         if self.state == self.INITIALIZING:
961             return
962         self.state = self.INITIALIZING
963         self.window.deactivate()
964
965     def connecting(self):
966         if self.state == self.CONNECTING:
967             return
968         self.state = self.CONNECTING
969         self.window.deactivate()
970
971     def synchronizing(self):
972         if self.state == self.SYNCHRONIZING:
973             return
974         self.state = self.SYNCHRONIZING
975         self.window.deactivate()
976
977     def ready(self):
978         if self.state == self.READY:
979             return
980         self.state = self.READY
981         self.window.activate()
982
983     def update_balance(self):
984         conf_balance, unconf_balance = self.wallet.get_balance()
985         balance = D(conf_balance + unconf_balance)
986         self.window.set_balances(balance)
987
988     def update_completions(self):
989         completions = []
990         for addr, label in self.wallet.labels.items():
991             if addr in self.wallet.addressbook:
992                 completions.append("%s <%s>" % (label, addr))
993         completions = completions + self.wallet.aliases.keys()
994         self.window.update_completions(completions)
995
996     def update_history(self):
997         tx_history = self.wallet.get_tx_history()
998         self.window.update_history(tx_history)
999
1000
1001 if __name__ == "__main__":
1002     app = QApplication(sys.argv)
1003     with open(rsrc("style.css")) as style_file:
1004         app.setStyleSheet(style_file.read())
1005     mini = MiniWindow()
1006     sys.exit(app.exec_())
1007