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