interface: do not connect inside the constructor
[electrum-nvc.git] / electrum
1 #!/usr/bin/env python
2 #
3 # Electrum - lightweight Bitcoin client
4 # Copyright (C) 2011 thomasv@gitorious
5 #
6 # This program is free software: you can redistribute it and/or modify
7 # it under the terms of the GNU General Public License as published by
8 # the Free Software Foundation, either version 3 of the License, or
9 # (at your option) any later version.
10 #
11 # This program is distributed in the hope that it will be useful,
12 # but WITHOUT ANY WARRANTY; without even the implied warranty of
13 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14 # GNU General Public License for more details.
15 #
16 # You should have received a copy of the GNU General Public License
17 # along with this program. If not, see <http://www.gnu.org/licenses/>.
18
19 import re
20 import sys
21 import optparse
22
23 try:
24     from lib.util import print_error
25 except ImportError:
26     from electrum.util import print_error
27
28 try:
29     import ecdsa  
30 except ImportError:
31     sys.exit("Error: python-ecdsa does not seem to be installed. Try 'sudo pip install ecdsa'")
32
33 try:
34     import aes
35 except ImportError:
36     sys.exit("Error: AES does not seem to be installed. Try 'sudo pip install slowaes'")
37
38 try:
39     from lib import Wallet, Interface, WalletSynchronizer, WalletVerifier, format_satoshis, mnemonic, SimpleConfig, pick_random_server
40 except ImportError:
41     from electrum import Wallet, Interface, WalletSynchronizer, WalletVerifier, format_satoshis, mnemonic, SimpleConfig, pick_random_server
42
43 from decimal import Decimal
44
45 known_commands = {
46     'help':'Prints this help',
47     'validateaddress':'Check that the address is valid', 
48     'balance': "Display the balance of your wallet or of an address.\nSyntax: balance [<address>]", 
49     'contacts': "Show your list of contacts", 
50     'create':'Create a wallet', 
51     'restore':'Restore a wallet', 
52     'payto':"""Create and broadcast a transaction.
53 Syntax: payto <recipient> <amount> [label]
54 <recipient> can be a bitcoin address or a label
55 options:\n  --fee, -f: set transaction fee\n  --fromaddr, -s: send from address -\n  --changeaddr, -c: send change to address
56             """,
57     'sendtx':
58             'Broadcasts a transaction to the network. \nSyntax: sendtx <tx>\n<tx> must be in hexadecimal.',
59     'password': 
60             "Changes your password",
61     'addresses':  
62             """Shows your list of addresses.
63 options:
64   -a: show all addresses, including change addresses
65   -k: show private keys
66   -b: show the balance of addresses""",
67
68     'history':"Shows the transaction history",
69     'label':'Assign a label to an item\nSyntax: label <tx_hash> <label>',
70     'mktx':
71         """Create a signed transaction, password protected.
72 Syntax: mktx <recipient> <amount> [label]
73 options:\n  --fee, -f: set transaction fee\n  --fromaddr, -s: send from address -\n  --changeaddr, -c: send change to address
74         """,
75     'seed':
76             "Print the generation seed of your wallet.",
77     'import': 
78             'Imports a key pair\nSyntax: import <address>:<privatekey>',
79     'signmessage':
80             'Signs a message with a key\nSyntax: signmessage <address> <message>\nIf you want to lead or end a message with spaces, or want double spaces inside the message make sure you quote the string. I.e. " Hello  This is a weird String "',
81     'verifymessage':
82              'Verifies a signature\nSyntax: verifymessage <address> <signature> <message>\nIf you want to lead or end a message with spaces, or want double spaces inside the message make sure you quote the string. I.e. " Hello  This is a weird String "',
83     'eval':  
84              "Run python eval() on an object\nSyntax: eval <expression>\nExample: eval \"wallet.aliases\"",
85     'set': 
86              "Set wallet parameter. (gui)",
87     'deseed':
88             "Remove seed from the wallet. The seed is stored in a file that has the name of the wallet plus '.seed'",
89     'reseed':
90             "Restore seed of the wallet. The wallet must have no seed, and the seed must match the wallet's master public key.",
91     'freeze':'',
92     'unfreeze':'',
93     'prioritize':'',
94     'unprioritize':'',
95     }
96
97
98
99 offline_commands = [ 'password', 'mktx',
100                      'label', 'contacts',
101                      'help', 'validateaddress',
102                      'signmessage', 'verifymessage',
103                      'eval', 'set', 'create', 'addresses',
104                      'import', 'seed',
105                      'deseed','reseed',
106                      'freeze','unfreeze',
107                      'prioritize','unprioritize']
108
109
110 protected_commands = ['payto', 'password', 'mktx', 'seed', 'import','signmessage' ]
111
112 # get password routine
113 def prompt_password(prompt, confirm=True):
114     import getpass
115     if sys.stdin.isatty():
116         password = getpass.getpass(prompt)
117         if password and confirm:
118             password2 = getpass.getpass("Confirm: ")
119             if password != password2:
120                 sys.exit("Error: Passwords do not match.")
121     else:
122         password = raw_input(prompt)
123     if not password:
124         password = None
125     return password
126
127
128
129 if __name__ == '__main__':
130
131     usage = "usage: %prog [options] command\nCommands: "+ (', '.join(known_commands))
132     parser = optparse.OptionParser(prog=usage)
133     parser.add_option("-g", "--gui", dest="gui", help="User interface: qt, lite, gtk or text")
134     parser.add_option("-w", "--wallet", dest="wallet_path", help="wallet path (default: electrum.dat)")
135     parser.add_option("-o", "--offline", action="store_true", dest="offline", default=False, help="remain offline")
136     parser.add_option("-a", "--all", action="store_true", dest="show_all", default=False, help="show all addresses")
137     parser.add_option("-b", "--balance", action="store_true", dest="show_balance", default=False, help="show the balance at listed addresses")
138     parser.add_option("-k", "--keys",action="store_true", dest="show_keys",default=False, help="show the private keys of listed addresses")
139     parser.add_option("-f", "--fee", dest="tx_fee", default="0.005", help="set tx fee")
140     parser.add_option("-F", "--fromaddr", dest="from_addr", default=None, help="set source address for payto/mktx. if it isn't in the wallet, it will ask for the private key unless supplied in the format public_key:private_key. It's not saved in the wallet.")
141     parser.add_option("-c", "--changeaddr", dest="change_addr", default=None, help="set the change address for payto/mktx. default is a spare address, or the source address if it's not in the wallet")
142     parser.add_option("-s", "--server", dest="server", default=None, help="set server host:port:protocol, where protocol is t or h")
143     parser.add_option("-p", "--proxy", dest="proxy", default=None, help="set proxy [type:]host[:port], where type is socks4,socks5 or http")
144     options, args = parser.parse_args()
145
146     # config is an object passed to the various constructors (wallet, interface, gui)
147     config = SimpleConfig(options)
148     wallet = Wallet(config)
149
150     if len(args)==0:
151         url = None
152         cmd = 'gui'
153     elif len(args)==1 and re.match('^bitcoin:', args[0]):
154         url = args[0]
155         cmd = 'gui'
156     else:
157         cmd = args[0]
158         firstarg = args[1] if len(args) > 1 else ''
159        
160     #this entire if/else block is just concerned with importing the 
161     #right GUI toolkit based the GUI command line option given 
162     if cmd == 'gui':
163         pref_gui = config.get('gui','classic')
164         if pref_gui == 'gtk':
165             try:
166                 import lib.gui as gui
167             except ImportError:
168                 import electrum.gui as gui
169         elif pref_gui in ['classic', 'qt']:
170             try:
171                 import lib.gui_qt as gui
172             except ImportError:
173                 import electrum.gui_qt as gui
174         elif pref_gui == 'lite':
175               try:
176                   import lib.gui_lite as gui
177               except ImportError:
178                   import electrum.gui_lite as gui
179         elif pref_gui == 'text':
180               try:
181                   import lib.gui_text as gui
182               except ImportError:
183                   import electrum.gui_text as gui
184         else:
185             sys.exit("Error: Unknown GUI: " + pref_gui )
186
187         interface = Interface(config, True)
188         interface.start()
189         wallet.interface = interface
190
191         gui = gui.ElectrumGui(wallet, config)
192         interface.register_callback('peers', gui.server_list_changed)
193         # need to wait until interface is connected..
194         WalletSynchronizer(wallet, config).start()
195         WalletVerifier(wallet, config).start()
196         
197
198         try:
199             found = config.wallet_file_exists
200             if not found:
201                 found = gui.restore_or_create()
202         except SystemExit, e:
203             exit(e)
204         except BaseException, e:
205             import traceback
206             traceback.print_exc(file=sys.stdout)
207             #gui.show_message(e.message)
208             exit(1)
209
210         if not found:
211             exit(1)
212         gui.main(url)
213         wallet.save()
214         sys.exit(0)
215
216     if cmd not in known_commands:
217         cmd = 'help'
218
219     if not config.wallet_file_exists and cmd not in ['help','create','restore']:
220         print "Error: Wallet file not found."
221         print "Type 'electrum create' to create a new wallet, or provide a path to a wallet with the -w option"
222         sys.exit(0)
223     
224     if cmd in ['create', 'restore']:
225         if config.wallet_file_exists:
226             sys.exit("Error: Remove the existing wallet first!")
227         password = prompt_password("Password (hit return if you do not wish to encrypt your wallet):")
228
229         server = config.get('server')
230         if not server: server = pick_random_server()
231         w_host, w_port, w_protocol = server.split(':')
232         host = raw_input("server (default:%s):"%w_host)
233         port = raw_input("port (default:%s):"%w_port)
234         protocol = raw_input("protocol [t=tcp;h=http;n=native] (default:%s):"%w_protocol)
235         fee = raw_input("fee (default:%s):"%( str(Decimal(wallet.fee)/100000000)) )
236         gap = raw_input("gap limit (default 5):")
237         if host: w_host = host
238         if port: w_port = port
239         if protocol: w_protocol = protocol
240         wallet.config.set_key('server', w_host + ':' + w_port + ':' +w_protocol)
241         if fee: wallet.fee = float(fee)
242         if gap: wallet.gap_limit = int(gap)
243
244         if cmd == 'restore':
245             seed = raw_input("seed:")
246             try:
247                 seed.decode('hex')
248             except:
249                 print_error("Warning: Not hex, trying decode.")
250                 seed = mnemonic.mn_decode( seed.split(' ') )
251             if not seed:
252                 sys.exit("Error: No seed")
253
254             wallet.seed = str(seed)
255             wallet.init_mpk( wallet.seed )
256             if not options.offline:
257                 WalletSynchronizer(wallet, config).start()
258                 print "Recovering wallet..."
259                 wallet.up_to_date_event.clear()
260                 wallet.up_to_date = False
261                 wallet.update()
262                 if wallet.is_found():
263                     print "Recovery successful"
264                 else:
265                     print_error("Warning: Found no history for this wallet")
266             else:
267                 wallet.synchronize()
268             wallet.fill_addressbook()
269             wallet.save()
270             print_error("Wallet saved in '" + wallet.path)
271         else:
272             wallet.new_seed(None)
273             wallet.init_mpk( wallet.seed )
274             wallet.synchronize() # there is no wallet thread 
275             wallet.save()
276             print "Your wallet generation seed is: " + wallet.seed
277             print "Please keep it in a safe place; if you lose it, you will not be able to restore your wallet."
278             print "Equivalently, your wallet seed can be stored and recovered with the following mnemonic code:"
279             print "\""+' '.join(mnemonic.mn_encode(wallet.seed))+"\""
280             print "Wallet saved in '%s'"%wallet.config.path
281             
282         if password:
283             wallet.update_password(wallet.seed, None, password)
284
285     # check syntax
286     if cmd in ['payto', 'mktx']:
287         try:
288             to_address = args[1]
289             amount = int( 100000000 * Decimal(args[2]) )
290             change_addr = None
291             label = ' '.join(args[3:])
292             if options.tx_fee: 
293                 options.tx_fee = int( 100000000 * Decimal(options.tx_fee) )
294         except:
295             firstarg = cmd
296             cmd = 'help'
297
298     # open session
299     if cmd not in offline_commands and not options.offline:
300         interface = Interface(config)
301         interface.register_callback('connected', lambda: print_error("Connected to " + interface.connection_msg))
302         interface.start()
303         wallet.interface = interface
304         WalletSynchronizer(wallet, config).start()
305         wallet.update()
306         wallet.save()
307
308     # check if --from_addr not in wallet (for mktx/payto)
309     is_temporary = False
310     from_addr = None
311     if options.from_addr:
312         from_addr = options.from_addr
313         if from_addr not in wallet.all_addresses():
314             is_temporary = True
315                 
316     # important warning
317     if cmd=='addresses' and options.show_keys:
318         print "WARNING: ALL your private keys are secret."
319         print "Exposing a single private key can compromise your entire wallet!"
320         print "In particular, DO NOT use 'redeem private key' services proposed by third parties."
321
322     # commands needing password
323     if cmd in protected_commands or ( cmd=='addresses' and options.show_keys):
324         password = prompt_password('Password:', False) if wallet.use_encryption and not is_temporary else None
325         # check password
326         try:
327             wallet.pw_decode( wallet.seed, password)
328         except:
329             print_error("Error: This password does not decode this wallet.")
330             exit(1)
331
332     if cmd == 'import':
333         # See if they specificed a key on the cmd line, if not prompt
334         if len(args) > 1:
335             keypair = args[1]
336         else:
337             keypair = prompt_password('Enter Address:PrivateKey (will not echo):', False)
338         try:
339             wallet.import_key(keypair,password)
340             wallet.save()
341             print "Keypair imported"
342         except BaseException, e:
343             print_error("Error: Keypair import failed: " + str(e))
344
345     if cmd == 'help':
346         cmd2 = firstarg
347         if cmd2 not in known_commands:
348             parser.print_help()
349             print "Type 'electrum help <command>' to see the help for a specific command"
350             print "Type 'electrum --help' to see the list of options"
351             print "List of commands:", ', '.join(known_commands)
352         else:
353             print known_commands[cmd2]
354
355     elif cmd == 'seed':
356         seed = wallet.pw_decode( wallet.seed, password)
357         print seed + ' "' + ' '.join(mnemonic.mn_encode(seed)) + '"'
358
359     elif cmd == 'deseed':
360         if not wallet.seed:
361             print_error("Error: This wallet has no seed")
362         elif wallet.use_encryption:
363             print_error("Error: This wallet is encrypted")
364         else:
365             ns = wallet.path + '.seed'
366             print "Warning: you are going to extract the seed from '%s'\nThe seed will be saved in '%s'"%(wallet.path,ns)
367             if raw_input("Are you sure you want to continue? (y/n) ") in ['y','Y','yes']:
368                 f = open(ns,'w')
369                 f.write(repr({'seed':wallet.seed, 'imported_keys':wallet.imported_keys})+"\n")
370                 f.close()
371                 wallet.seed = ''
372                 for k in wallet.imported_keys.keys(): wallet.imported_keys[k] = ''
373                 wallet.save()
374                 print "Done."
375             else:
376                 print_error("Action canceled.")
377
378     elif cmd == 'reseed':
379         if wallet.seed:
380             print "Warning: This wallet already has a seed", wallet.seed
381         else:
382             ns = wallet.path + '.seed'
383             try:
384                 f = open(ns,'r')
385                 data = f.read()
386                 f.close()
387             except IOError:
388                 sys.exit("Error: Seed file not found")
389             try:
390                 import ast
391                 d = ast.literal_eval( data )
392                 seed = d['seed']
393                 imported_keys = d.get('imported_keys',{})
394             except:
395                 sys.exit("Error: Error with seed file")
396
397             mpk = wallet.master_public_key
398             wallet.seed = seed
399             wallet.imported_keys = imported_keys
400             wallet.use_encryption = False
401             wallet.init_mpk(seed)
402             if mpk == wallet.master_public_key:
403                 wallet.save()
404                 print "Done: " + wallet.path
405             else:
406                 print_error("Error: Master public key does not match")
407
408     elif cmd == 'validateaddress':
409         addr = args[1]
410         print wallet.is_valid(addr)
411
412     elif cmd == 'balance':
413         try:
414             addrs = args[1:]
415         except:
416             pass
417         if addrs == []:
418             c, u = wallet.get_balance()
419             if u:
420                 print Decimal( c ) / 100000000 , Decimal( u ) / 100000000
421             else:
422                 print Decimal( c ) / 100000000
423         else:
424             for addr in addrs:
425                 c, u = wallet.get_addr_balance(addr)
426                 if u:
427                     print "%s %s, %s" % (addr, str(Decimal(c)/100000000), str(Decimal(u)/100000000))
428                 else:
429                     print "%s %s" % (addr, str(Decimal(c)/100000000))
430
431     elif cmd in [ 'contacts']:
432         for addr in wallet.addressbook:
433             print addr, "   ", wallet.labels.get(addr)
434
435     elif cmd == 'eval':
436         print eval(args[1])
437         wallet.save()
438
439     elif cmd == 'set':
440         key, value = args[1:3]
441         if key in ['gui', 'server', 'proxy', 'fee', 'gap_limit', 'use_change']:
442             wallet.config.set_key(key, value, True)
443             print True
444         else:
445             print False
446
447     elif cmd in [ 'addresses']:
448         for addr in wallet.all_addresses():
449             if options.show_all or not wallet.is_change(addr):
450
451                 flags = wallet.get_address_flags(addr)
452                 label = wallet.labels.get(addr,'')
453                 
454                 if label: label = "\"%s\""%label
455
456                 if options.show_balance:
457                     h = wallet.history.get(addr,[])
458                     #ni = no = 0
459                     #for item in h:
460                     #    if item['is_input']:  ni += 1
461                     #    else:              no += 1
462                     b = format_satoshis(wallet.get_addr_balance(addr)[0])
463                 else: b=''
464                 m_addr = "%34s"%addr
465                 if options.show_keys:
466                     m_addr += ':' + str(wallet.get_private_key_base58(addr, password))
467                 print flags, m_addr, b, label
468
469     if cmd == 'history':
470         lines = wallet.get_tx_history()
471         b = 0 
472         for line in lines:
473             import datetime
474             v = line['value'] 
475             b += v
476             try:
477                 time_str = str( datetime.datetime.fromtimestamp( line['timestamp']))
478             except:
479                 print line['timestamp']
480                 time_str = 'pending'
481             label = line.get('label')
482             if not label: label = line['tx_hash']
483             else: label = label + ' '*(64 - len(label) )
484
485             print time_str , "  " + label + "  " + format_satoshis(v)+ "  "+ format_satoshis(b)
486         print "# balance: ", format_satoshis(b)
487
488     elif cmd == 'label':
489         try:
490             tx = args[1]
491             label = ' '.join(args[2:])
492         except:
493             print_error("Error. Syntax:  label <tx_hash> <text>")
494             sys.exit(1)
495         wallet.labels[tx] = label
496         wallet.save()
497             
498     elif cmd in ['payto', 'mktx']:
499         if from_addr and is_temporary:
500             if from_addr.find(":") == -1:
501                 keypair = from_addr + ":" + prompt_password('Private key:', False)
502             else:
503                 keypair = from_addr
504                 from_addr = keypair.split(':')[0]
505             if not wallet.import_key(keypair,password):
506                 print_error("Error: Invalid key pair")
507                 exit(1)
508             wallet.history[from_addr] = interface.retrieve_history(from_addr)
509             wallet.update_tx_history()
510             change_addr = from_addr
511
512         if options.change_addr:
513             change_addr = options.change_addr
514
515         for k, v in wallet.labels.items():
516             if v == to_address:
517                 to_address = k
518                 print "alias", to_address
519                 break
520             if change_addr and v == change_addr:
521                 change_addr = k
522         try:
523             tx = wallet.mktx( to_address, amount, label, password,
524                 fee = options.tx_fee, change_addr = change_addr, from_addr = from_addr )
525         except:
526             import traceback
527             traceback.print_exc(file=sys.stdout)
528             tx = None
529
530         if tx and cmd=='payto': 
531             r, h = wallet.sendtx( tx )
532             print h
533         else:
534             print tx
535
536         if is_temporary:
537             wallet.imported_keys.pop(from_addr)
538             del(wallet.history[from_addr])
539         wallet.save()
540
541     elif cmd == 'sendtx':
542         tx = args[1]
543         r, h = wallet.sendtx( tx )
544         print h
545
546     elif cmd == 'password':
547         try:
548             seed = wallet.pw_decode( wallet.seed, password)
549         except ValueError:
550             sys.exit("Error: Password does not decrypt this wallet.")
551
552         new_password = prompt_password('New password:')
553         wallet.update_password(seed, password, new_password)
554
555     elif cmd == 'signmessage':
556         if len(args) < 3:
557             print_error("Error: Invalid usage of signmessage.")
558             print known_commands[cmd]
559             sys.exit(1)
560         address = args[1]
561         message = ' '.join(args[2:])
562         if len(args) > 3:
563             print "Warning: Message was reconstructed from several arguments:", repr(message)
564         print wallet.sign_message(address, message, password)
565
566     elif cmd == 'verifymessage':
567         try:
568             address = args[1]
569             signature = args[2]
570             message = ' '.join(args[3:])
571         except:
572             print_error("Error: Not all parameters were given, displaying help instead.")
573             print known_commands[cmd]
574             sys.exit(1)
575         if len(args) > 4:
576             print "Warning: Message was reconstructed from several arguments:", repr(message)
577         try:
578             wallet.verify_message(address, signature, message)
579             print True
580         except BaseException as e:
581             print "Verification error: {0}".format(e)
582             print False
583
584     elif cmd == 'freeze':
585         addr = args[1]
586         print wallet.freeze(addr)
587         
588     elif cmd == 'unfreeze':
589         addr = args[1]
590         print wallet.unfreeze(addr)
591
592     elif cmd == 'prioritize':
593         addr = args[1]
594         print wallet.prioritize(addr)
595
596     elif cmd == 'unprioritize':
597         addr = args[1]
598         print wallet.unprioritize(addr)
599