big refactoring of the interface
[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         gui = gui.ElectrumGui(wallet, config)
188         wallet.interface = Interface(config, True, gui.server_list_changed)
189         wallet.interface.start()
190
191         WalletSynchronizer(wallet, config).start()
192         WalletVerifier(wallet, config).start()
193
194         try:
195             found = config.wallet_file_exists
196             if not found:
197                 found = gui.restore_or_create()
198         except SystemExit, e:
199             exit(e)
200         except BaseException, e:
201             import traceback
202             traceback.print_exc(file=sys.stdout)
203             #gui.show_message(e.message)
204             exit(1)
205
206         if not found:
207             exit(1)
208         gui.main(url)
209         wallet.save()
210         sys.exit(0)
211
212     if cmd not in known_commands:
213         cmd = 'help'
214
215     if not config.wallet_file_exists and cmd not in ['help','create','restore']:
216         print "Error: Wallet file not found."
217         print "Type 'electrum create' to create a new wallet, or provide a path to a wallet with the -w option"
218         sys.exit(0)
219     
220     if cmd in ['create', 'restore']:
221         if config.wallet_file_exists:
222             sys.exit("Error: Remove the existing wallet first!")
223         password = prompt_password("Password (hit return if you do not wish to encrypt your wallet):")
224
225         server = config.get('server')
226         if not server: server = pick_random_server()
227         w_host, w_port, w_protocol = server.split(':')
228         host = raw_input("server (default:%s):"%w_host)
229         port = raw_input("port (default:%s):"%w_port)
230         protocol = raw_input("protocol [t=tcp;h=http;n=native] (default:%s):"%w_protocol)
231         fee = raw_input("fee (default:%s):"%( str(Decimal(wallet.fee)/100000000)) )
232         gap = raw_input("gap limit (default 5):")
233         if host: w_host = host
234         if port: w_port = port
235         if protocol: w_protocol = protocol
236         wallet.config.set_key('server', w_host + ':' + w_port + ':' +w_protocol)
237         if fee: wallet.fee = float(fee)
238         if gap: wallet.gap_limit = int(gap)
239
240         if cmd == 'restore':
241             seed = raw_input("seed:")
242             try:
243                 seed.decode('hex')
244             except:
245                 print_error("Warning: Not hex, trying decode.")
246                 seed = mnemonic.mn_decode( seed.split(' ') )
247             if not seed:
248                 sys.exit("Error: No seed")
249
250             wallet.seed = str(seed)
251             wallet.init_mpk( wallet.seed )
252             if not options.offline:
253                 WalletSynchronizer(wallet, config).start()
254                 print "Recovering wallet..."
255                 wallet.up_to_date_event.clear()
256                 wallet.up_to_date = False
257                 wallet.update()
258                 if wallet.is_found():
259                     print "Recovery successful"
260                 else:
261                     print_error("Warning: Found no history for this wallet")
262             else:
263                 wallet.synchronize()
264             wallet.fill_addressbook()
265             wallet.save()
266             print_error("Wallet saved in '" + wallet.path)
267         else:
268             wallet.new_seed(None)
269             wallet.init_mpk( wallet.seed )
270             wallet.synchronize() # there is no wallet thread 
271             wallet.save()
272             print "Your wallet generation seed is: " + wallet.seed
273             print "Please keep it in a safe place; if you lose it, you will not be able to restore your wallet."
274             print "Equivalently, your wallet seed can be stored and recovered with the following mnemonic code:"
275             print "\""+' '.join(mnemonic.mn_encode(wallet.seed))+"\""
276             print "Wallet saved in '%s'"%wallet.config.path
277             
278         if password:
279             wallet.update_password(wallet.seed, None, password)
280
281     # check syntax
282     if cmd in ['payto', 'mktx']:
283         try:
284             to_address = args[1]
285             amount = int( 100000000 * Decimal(args[2]) )
286             change_addr = None
287             label = ' '.join(args[3:])
288             if options.tx_fee: 
289                 options.tx_fee = int( 100000000 * Decimal(options.tx_fee) )
290         except:
291             firstarg = cmd
292             cmd = 'help'
293
294     # open session
295     if cmd not in offline_commands and not options.offline:
296         WalletSynchronizer(wallet, config).start()
297         wallet.update()
298         wallet.save()
299
300     # check if --from_addr not in wallet (for mktx/payto)
301     is_temporary = False
302     from_addr = None
303     if options.from_addr:
304         from_addr = options.from_addr
305         if from_addr not in wallet.all_addresses():
306             is_temporary = True
307                 
308     # important warning
309     if cmd=='addresses' and options.show_keys:
310         print "WARNING: ALL your private keys are secret."
311         print "Exposing a single private key can compromise your entire wallet!"
312         print "In particular, DO NOT use 'redeem private key' services proposed by third parties."
313
314     # commands needing password
315     if cmd in protected_commands or ( cmd=='addresses' and options.show_keys):
316         password = prompt_password('Password:', False) if wallet.use_encryption and not is_temporary else None
317         # check password
318         try:
319             wallet.pw_decode( wallet.seed, password)
320         except:
321             print_error("Error: This password does not decode this wallet.")
322             exit(1)
323
324     if cmd == 'import':
325         # See if they specificed a key on the cmd line, if not prompt
326         if len(args) > 1:
327             keypair = args[1]
328         else:
329             keypair = prompt_password('Enter Address:PrivateKey (will not echo):', False)
330         try:
331             wallet.import_key(keypair,password)
332             wallet.save()
333             print "Keypair imported"
334         except BaseException, e:
335             print_error("Error: Keypair import failed: " + str(e))
336
337     if cmd == 'help':
338         cmd2 = firstarg
339         if cmd2 not in known_commands:
340             parser.print_help()
341             print "Type 'electrum help <command>' to see the help for a specific command"
342             print "Type 'electrum --help' to see the list of options"
343             print "List of commands:", ', '.join(known_commands)
344         else:
345             print known_commands[cmd2]
346
347     elif cmd == 'seed':
348         seed = wallet.pw_decode( wallet.seed, password)
349         print seed + ' "' + ' '.join(mnemonic.mn_encode(seed)) + '"'
350
351     elif cmd == 'deseed':
352         if not wallet.seed:
353             print_error("Error: This wallet has no seed")
354         elif wallet.use_encryption:
355             print_error("Error: This wallet is encrypted")
356         else:
357             ns = wallet.path + '.seed'
358             print "Warning: you are going to extract the seed from '%s'\nThe seed will be saved in '%s'"%(wallet.path,ns)
359             if raw_input("Are you sure you want to continue? (y/n) ") in ['y','Y','yes']:
360                 f = open(ns,'w')
361                 f.write(repr({'seed':wallet.seed, 'imported_keys':wallet.imported_keys})+"\n")
362                 f.close()
363                 wallet.seed = ''
364                 for k in wallet.imported_keys.keys(): wallet.imported_keys[k] = ''
365                 wallet.save()
366                 print "Done."
367             else:
368                 print_error("Action canceled.")
369
370     elif cmd == 'reseed':
371         if wallet.seed:
372             print "Warning: This wallet already has a seed", wallet.seed
373         else:
374             ns = wallet.path + '.seed'
375             try:
376                 f = open(ns,'r')
377                 data = f.read()
378                 f.close()
379             except IOError:
380                 sys.exit("Error: Seed file not found")
381             try:
382                 import ast
383                 d = ast.literal_eval( data )
384                 seed = d['seed']
385                 imported_keys = d.get('imported_keys',{})
386             except:
387                 sys.exit("Error: Error with seed file")
388
389             mpk = wallet.master_public_key
390             wallet.seed = seed
391             wallet.imported_keys = imported_keys
392             wallet.use_encryption = False
393             wallet.init_mpk(seed)
394             if mpk == wallet.master_public_key:
395                 wallet.save()
396                 print "Done: " + wallet.path
397             else:
398                 print_error("Error: Master public key does not match")
399
400     elif cmd == 'validateaddress':
401         addr = args[1]
402         print wallet.is_valid(addr)
403
404     elif cmd == 'balance':
405         try:
406             addrs = args[1:]
407         except:
408             pass
409         if addrs == []:
410             c, u = wallet.get_balance()
411             if u:
412                 print Decimal( c ) / 100000000 , Decimal( u ) / 100000000
413             else:
414                 print Decimal( c ) / 100000000
415         else:
416             for addr in addrs:
417                 c, u = wallet.get_addr_balance(addr)
418                 if u:
419                     print "%s %s, %s" % (addr, str(Decimal(c)/100000000), str(Decimal(u)/100000000))
420                 else:
421                     print "%s %s" % (addr, str(Decimal(c)/100000000))
422
423     elif cmd in [ 'contacts']:
424         for addr in wallet.addressbook:
425             print addr, "   ", wallet.labels.get(addr)
426
427     elif cmd == 'eval':
428         print eval(args[1])
429         wallet.save()
430
431     elif cmd == 'set':
432         key, value = args[1:3]
433         if key in ['gui', 'server', 'proxy', 'fee', 'gap_limit', 'use_change']:
434             wallet.config.set_key(key, value, True)
435             print True
436         else:
437             print False
438
439     elif cmd in [ 'addresses']:
440         for addr in wallet.all_addresses():
441             if options.show_all or not wallet.is_change(addr):
442
443                 flags = wallet.get_address_flags(addr)
444                 label = wallet.labels.get(addr,'')
445                 
446                 if label: label = "\"%s\""%label
447
448                 if options.show_balance:
449                     h = wallet.history.get(addr,[])
450                     #ni = no = 0
451                     #for item in h:
452                     #    if item['is_input']:  ni += 1
453                     #    else:              no += 1
454                     b = format_satoshis(wallet.get_addr_balance(addr)[0])
455                 else: b=''
456                 m_addr = "%34s"%addr
457                 if options.show_keys:
458                     m_addr += ':' + str(wallet.get_private_key_base58(addr, password))
459                 print flags, m_addr, b, label
460
461     if cmd == 'history':
462         lines = wallet.get_tx_history()
463         b = 0 
464         for line in lines:
465             import datetime
466             v = line['value'] 
467             b += v
468             try:
469                 time_str = str( datetime.datetime.fromtimestamp( line['timestamp']))
470             except:
471                 print line['timestamp']
472                 time_str = 'pending'
473             label = line.get('label')
474             if not label: label = line['tx_hash']
475             else: label = label + ' '*(64 - len(label) )
476
477             print time_str , "  " + label + "  " + format_satoshis(v)+ "  "+ format_satoshis(b)
478         print "# balance: ", format_satoshis(b)
479
480     elif cmd == 'label':
481         try:
482             tx = args[1]
483             label = ' '.join(args[2:])
484         except:
485             print_error("Error. Syntax:  label <tx_hash> <text>")
486             sys.exit(1)
487         wallet.labels[tx] = label
488         wallet.save()
489             
490     elif cmd in ['payto', 'mktx']:
491         if from_addr and is_temporary:
492             if from_addr.find(":") == -1:
493                 keypair = from_addr + ":" + prompt_password('Private key:', False)
494             else:
495                 keypair = from_addr
496                 from_addr = keypair.split(':')[0]
497             if not wallet.import_key(keypair,password):
498                 print_error("Error: Invalid key pair")
499                 exit(1)
500             wallet.history[from_addr] = interface.retrieve_history(from_addr)
501             wallet.update_tx_history()
502             change_addr = from_addr
503
504         if options.change_addr:
505             change_addr = options.change_addr
506
507         for k, v in wallet.labels.items():
508             if v == to_address:
509                 to_address = k
510                 print "alias", to_address
511                 break
512             if change_addr and v == change_addr:
513                 change_addr = k
514         try:
515             tx = wallet.mktx( to_address, amount, label, password,
516                 fee = options.tx_fee, change_addr = change_addr, from_addr = from_addr )
517         except:
518             import traceback
519             traceback.print_exc(file=sys.stdout)
520             tx = None
521
522         if tx and cmd=='payto': 
523             r, h = wallet.sendtx( tx )
524             print h
525         else:
526             print tx
527
528         if is_temporary:
529             wallet.imported_keys.pop(from_addr)
530             del(wallet.history[from_addr])
531         wallet.save()
532
533     elif cmd == 'sendtx':
534         tx = args[1]
535         r, h = wallet.sendtx( tx )
536         print h
537
538     elif cmd == 'password':
539         try:
540             seed = wallet.pw_decode( wallet.seed, password)
541         except ValueError:
542             sys.exit("Error: Password does not decrypt this wallet.")
543
544         new_password = prompt_password('New password:')
545         wallet.update_password(seed, password, new_password)
546
547     elif cmd == 'signmessage':
548         if len(args) < 3:
549             print_error("Error: Invalid usage of signmessage.")
550             print known_commands[cmd]
551             sys.exit(1)
552         address = args[1]
553         message = ' '.join(args[2:])
554         if len(args) > 3:
555             print "Warning: Message was reconstructed from several arguments:", repr(message)
556         print wallet.sign_message(address, message, password)
557
558     elif cmd == 'verifymessage':
559         try:
560             address = args[1]
561             signature = args[2]
562             message = ' '.join(args[3:])
563         except:
564             print_error("Error: Not all parameters were given, displaying help instead.")
565             print known_commands[cmd]
566             sys.exit(1)
567         if len(args) > 4:
568             print "Warning: Message was reconstructed from several arguments:", repr(message)
569         try:
570             wallet.verify_message(address, signature, message)
571             print True
572         except BaseException as e:
573             print "Verification error: {0}".format(e)
574             print False
575
576     elif cmd == 'freeze':
577         addr = args[1]
578         print wallet.freeze(addr)
579         
580     elif cmd == 'unfreeze':
581         addr = args[1]
582         print wallet.unfreeze(addr)
583
584     elif cmd == 'prioritize':
585         addr = args[1]
586         print wallet.prioritize(addr)
587
588     elif cmd == 'unprioritize':
589         addr = args[1]
590         print wallet.unprioritize(addr)
591