fix: varname
[electrum-server.git] / server.py
1 #!/usr/bin/env python
2 # Copyright(C) 2011 thomasv@gitorious
3
4 # This program is free software: you can redistribute it and/or modify
5 # it under the terms of the GNU Affero General Public License as
6 # published by the Free Software Foundation, either version 3 of the
7 # License, or (at your option) any later version.
8 #
9 # This program is distributed in the hope that it will be useful, but
10 # WITHOUT ANY WARRANTY; without even the implied warranty of
11 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
12 # Affero General Public License for more details.
13 #
14 # You should have received a copy of the GNU Affero General Public
15 # License along with this program.  If not, see
16 # <http://www.gnu.org/licenses/agpl.html>.
17
18 """
19 Todo:
20    * server should check and return bitcoind status..
21    * improve txpoint sorting
22    * command to check cache
23
24  mempool transactions do not need to be added to the database; it slows it down
25 """
26
27
28 import time, socket, operator, thread, ast, sys,re
29 import psycopg2, binascii
30
31 from Abe.abe import hash_to_address, decode_check_address
32 from Abe.DataStore import DataStore as Datastore_class
33 from Abe import DataStore, readconf, BCDataStream,  deserialize, util, base58
34
35 import ConfigParser
36 from json import dumps, loads
37 import urllib
38
39 config = ConfigParser.ConfigParser()
40 # set some defaults, which will be overwritten by the config file
41 config.add_section('server')
42 config.set('server','banner', 'Welcome to Electrum!')
43 config.set('server', 'host', 'localhost')
44 config.set('server', 'port', 50000)
45 config.set('server', 'password', '')
46 config.set('server', 'irc', 'yes')
47 config.set('server', 'cache', 'no') 
48 config.set('server', 'ircname', 'Electrum server')
49 config.add_section('database')
50 config.set('database', 'type', 'psycopg2')
51 config.set('database', 'database', 'abe')
52
53 try:
54     f = open('/etc/electrum.conf','r')
55     config.readfp(f)
56     f.close()
57 except:
58     print "Could not read electrum.conf. I will use the default values."
59
60 password = config.get('server','password')
61 bitcoind_url = 'http://%s:%s@%s:%s/' % ( config.get('bitcoind','user'), config.get('bitcoind','password'), config.get('bitcoind','host'), config.get('bitcoind','port'))
62
63 stopping = False
64 block_number = -1
65 sessions = {}
66 dblock = thread.allocate_lock()
67 peer_list = {}
68
69 wallets = {} # for ultra-light clients such as bccapi
70
71 class MyStore(Datastore_class):
72
73     def import_tx(self, tx, is_coinbase):
74         tx_id = super(MyStore, self).import_tx(tx, is_coinbase)
75         if config.get('server', 'cache') == 'yes': self.update_tx_cache(tx_id)
76
77     def update_tx_cache(self, txid):
78         inrows = self.get_tx_inputs(txid, False)
79         for row in inrows:
80             _hash = store.binout(row[6])
81             address = hash_to_address(chr(0), _hash)
82             if self.tx_cache.has_key(address):
83                 print "cache: invalidating", address
84                 self.tx_cache.pop(address)
85         outrows = self.get_tx_outputs(txid, False)
86         for row in outrows:
87             _hash = store.binout(row[6])
88             address = hash_to_address(chr(0), _hash)
89             if self.tx_cache.has_key(address):
90                 print "cache: invalidating", address
91                 self.tx_cache.pop(address)
92
93     def safe_sql(self,sql, params=(), lock=True):
94         try:
95             if lock: dblock.acquire()
96             ret = self.selectall(sql,params)
97             if lock: dblock.release()
98             return ret
99         except:
100             print "sql error", sql
101             return []
102
103     def get_tx_outputs(self, tx_id, lock=True):
104         return self.safe_sql("""SELECT
105                 txout.txout_pos,
106                 txout.txout_scriptPubKey,
107                 txout.txout_value,
108                 nexttx.tx_hash,
109                 nexttx.tx_id,
110                 txin.txin_pos,
111                 pubkey.pubkey_hash
112               FROM txout
113               LEFT JOIN txin ON (txin.txout_id = txout.txout_id)
114               LEFT JOIN pubkey ON (pubkey.pubkey_id = txout.pubkey_id)
115               LEFT JOIN tx nexttx ON (txin.tx_id = nexttx.tx_id)
116              WHERE txout.tx_id = %d 
117              ORDER BY txout.txout_pos
118         """%(tx_id), (), lock)
119
120     def get_tx_inputs(self, tx_id, lock=True):
121         return self.safe_sql(""" SELECT
122                 txin.txin_pos,
123                 txin.txin_scriptSig,
124                 txout.txout_value,
125                 COALESCE(prevtx.tx_hash, u.txout_tx_hash),
126                 prevtx.tx_id,
127                 COALESCE(txout.txout_pos, u.txout_pos),
128                 pubkey.pubkey_hash
129               FROM txin
130               LEFT JOIN txout ON (txout.txout_id = txin.txout_id)
131               LEFT JOIN pubkey ON (pubkey.pubkey_id = txout.pubkey_id)
132               LEFT JOIN tx prevtx ON (txout.tx_id = prevtx.tx_id)
133               LEFT JOIN unlinked_txin u ON (u.txin_id = txin.txin_id)
134              WHERE txin.tx_id = %d
135              ORDER BY txin.txin_pos
136              """%(tx_id,), (), lock)
137
138     def get_address_out_rows(self, dbhash):
139         return self.safe_sql(""" SELECT
140                 b.block_nTime,
141                 cc.chain_id,
142                 b.block_height,
143                 1,
144                 b.block_hash,
145                 tx.tx_hash,
146                 tx.tx_id,
147                 txin.txin_pos,
148                 -prevout.txout_value
149               FROM chain_candidate cc
150               JOIN block b ON (b.block_id = cc.block_id)
151               JOIN block_tx ON (block_tx.block_id = b.block_id)
152               JOIN tx ON (tx.tx_id = block_tx.tx_id)
153               JOIN txin ON (txin.tx_id = tx.tx_id)
154               JOIN txout prevout ON (txin.txout_id = prevout.txout_id)
155               JOIN pubkey ON (pubkey.pubkey_id = prevout.pubkey_id)
156              WHERE pubkey.pubkey_hash = ?
157                AND cc.in_longest = 1""", (dbhash,))
158
159     def get_address_out_rows_memorypool(self, dbhash):
160         return self.safe_sql(""" SELECT
161                 1,
162                 tx.tx_hash,
163                 tx.tx_id,
164                 txin.txin_pos,
165                 -prevout.txout_value
166               FROM tx 
167               JOIN txin ON (txin.tx_id = tx.tx_id)
168               JOIN txout prevout ON (txin.txout_id = prevout.txout_id)
169               JOIN pubkey ON (pubkey.pubkey_id = prevout.pubkey_id)
170              WHERE pubkey.pubkey_hash = ? """, (dbhash,))
171
172     def get_address_in_rows(self, dbhash):
173         return self.safe_sql(""" SELECT
174                 b.block_nTime,
175                 cc.chain_id,
176                 b.block_height,
177                 0,
178                 b.block_hash,
179                 tx.tx_hash,
180                 tx.tx_id,
181                 txout.txout_pos,
182                 txout.txout_value
183               FROM chain_candidate cc
184               JOIN block b ON (b.block_id = cc.block_id)
185               JOIN block_tx ON (block_tx.block_id = b.block_id)
186               JOIN tx ON (tx.tx_id = block_tx.tx_id)
187               JOIN txout ON (txout.tx_id = tx.tx_id)
188               JOIN pubkey ON (pubkey.pubkey_id = txout.pubkey_id)
189              WHERE pubkey.pubkey_hash = ?
190                AND cc.in_longest = 1""", (dbhash,))
191
192     def get_address_in_rows_memorypool(self, dbhash):
193         return self.safe_sql( """ SELECT
194                 0,
195                 tx.tx_hash,
196                 tx.tx_id,
197                 txout.txout_pos,
198                 txout.txout_value
199               FROM tx
200               JOIN txout ON (txout.tx_id = tx.tx_id)
201               JOIN pubkey ON (pubkey.pubkey_id = txout.pubkey_id)
202              WHERE pubkey.pubkey_hash = ? """, (dbhash,))
203
204     def get_history(self, addr):
205         
206         if config.get('server','cache') == 'yes':
207             cached_version = self.tx_cache.get( addr ) 
208             if cached_version is not None: 
209                 return cached_version
210
211         version, binaddr = decode_check_address(addr)
212         if binaddr is None:
213             return None
214
215         dbhash = self.binin(binaddr)
216         rows = []
217         rows += self.get_address_out_rows( dbhash )
218         rows += self.get_address_in_rows( dbhash )
219
220         txpoints = []
221         known_tx = []
222
223         for row in rows:
224             try:
225                 nTime, chain_id, height, is_in, blk_hash, tx_hash, tx_id, pos, value = row
226             except:
227                 print "cannot unpack row", row
228                 break
229             tx_hash = self.hashout_hex(tx_hash)
230             txpoint = {
231                     "nTime":    int(nTime),
232                     #"chain_id": int(chain_id),
233                     "height":   int(height),
234                     "is_in":    int(is_in),
235                     "blk_hash": self.hashout_hex(blk_hash),
236                     "tx_hash":  tx_hash,
237                     "tx_id":    int(tx_id),
238                     "pos":      int(pos),
239                     "value":    int(value),
240                     }
241
242             txpoints.append(txpoint)
243             known_tx.append(self.hashout_hex(tx_hash))
244
245
246         # todo: sort them really...
247         txpoints = sorted(txpoints, key=operator.itemgetter("nTime"))
248
249         # read memory pool
250         rows = []
251         rows += self.get_address_in_rows_memorypool( dbhash )
252         rows += self.get_address_out_rows_memorypool( dbhash )
253         address_has_mempool = False
254
255         for row in rows:
256             is_in, tx_hash, tx_id, pos, value = row
257             tx_hash = self.hashout_hex(tx_hash)
258             if tx_hash in known_tx:
259                 continue
260
261             # this means that pending transactions were added to the db, even if they are not returned by getmemorypool
262             address_has_mempool = True
263
264             # this means pending transactions are returned by getmemorypool
265             if tx_hash not in self.mempool_keys:
266                 continue
267
268             #print "mempool", tx_hash
269             txpoint = {
270                     "nTime":    0,
271                     #"chain_id": 1,
272                     "height":   0,
273                     "is_in":    int(is_in),
274                     "blk_hash": 'mempool', 
275                     "tx_hash":  tx_hash,
276                     "tx_id":    int(tx_id),
277                     "pos":      int(pos),
278                     "value":    int(value),
279                     }
280             txpoints.append(txpoint)
281
282
283         for txpoint in txpoints:
284             tx_id = txpoint['tx_id']
285             
286             txinputs = []
287             inrows = self.get_tx_inputs(tx_id)
288             for row in inrows:
289                 _hash = self.binout(row[6])
290                 address = hash_to_address(chr(0), _hash)
291                 txinputs.append(address)
292             txpoint['inputs'] = txinputs
293             txoutputs = []
294             outrows = self.get_tx_outputs(tx_id)
295             for row in outrows:
296                 _hash = self.binout(row[6])
297                 address = hash_to_address(chr(0), _hash)
298                 txoutputs.append(address)
299             txpoint['outputs'] = txoutputs
300
301             # for all unspent inputs, I want their scriptpubkey. (actually I could deduce it from the address)
302             if not txpoint['is_in']:
303                 # detect if already redeemed...
304                 for row in outrows:
305                     if row[6] == dbhash: break
306                 else:
307                     raise
308                 #row = self.get_tx_output(tx_id,dbhash)
309                 # pos, script, value, o_hash, o_id, o_pos, binaddr = row
310                 # if not redeemed, we add the script
311                 if row:
312                     if not row[4]: txpoint['raw_scriptPubKey'] = row[1]
313
314         # cache result
315         if config.get('server','cache') == 'yes' and not address_has_mempool:
316             self.tx_cache[addr] = txpoints
317         
318         return txpoints
319
320
321
322
323 def send_tx(tx):
324     postdata = dumps({"method": 'importtransaction', 'params': [tx], 'id':'jsonrpc'})
325     respdata = urllib.urlopen(bitcoind_url, postdata).read()
326     r = loads(respdata)
327     if r['error'] != None:
328         out = "error: transaction rejected by memorypool"
329     else:
330         out = r['result']
331     return out
332
333
334
335 def random_string(N):
336     import random, string
337     return ''.join(random.choice(string.ascii_uppercase + string.digits) for x in range(N))
338
339     
340
341 def cmd_stop(data):
342     global stopping
343     if password == data:
344         stopping = True
345         return 'ok'
346     else:
347         return 'wrong password'
348
349 def cmd_load(pw):
350     if password == pw:
351         return repr( len(sessions) )
352     else:
353         return 'wrong password'
354
355
356 def clear_cache(pw):
357     if password == pw:
358         store.tx_cache = {}
359         return 'ok'
360     else:
361         return 'wrong password'
362
363 def get_cache(pw,addr):
364     if password == pw:
365         return store.tx_cache.get(addr)
366     else:
367         return 'wrong password'
368
369
370 def poll_session(session_id):
371     session = sessions.get(session_id)
372     if session is None:
373         print time.asctime(), "session not found", session_id
374         out = repr( (-1, {}))
375     else:
376         t1 = time.time()
377         addresses = session['addresses']
378         session['last_time'] = time.time()
379         ret = {}
380         k = 0
381         for addr in addresses:
382             if store.tx_cache.get( addr ) is not None: k += 1
383
384             # get addtess status, i.e. the last block for that address.
385             tx_points = store.get_history(addr)
386             if not tx_points:
387                 status = None
388             else:
389                 lastpoint = tx_points[-1]
390                 status = lastpoint['blk_hash']
391                 # this is a temporary hack; move it up once old clients have disappeared
392                 if status == 'mempool' and session['version'] != "old":
393                     status = status + ':%d'% len(tx_points)
394
395             last_status = addresses.get( addr )
396             if last_status != status:
397                 addresses[addr] = status
398                 ret[addr] = status
399         if ret:
400             sessions[session_id]['addresses'] = addresses
401         out = repr( (block_number, ret ) )
402         t2 = time.time() - t1 
403         if t2 > 10:
404             print "high load:", session_id, "%d/%d"%(k,len(addresses)), t2
405
406         return out
407
408
409 def new_session(version, addresses):
410     session_id = random_string(10)
411     sessions[session_id] = { 'addresses':{}, 'version':version }
412     for a in addresses:
413         sessions[session_id]['addresses'][a] = ''
414     out = repr( (session_id, config.get('server','banner').replace('\\n','\n') ) )
415     sessions[session_id]['last_time'] = time.time()
416     return out
417
418 def update_session(session_id,addresses):
419     sessions[session_id]['addresses'] = {}
420     for a in addresses:
421         sessions[session_id]['addresses'][a] = ''
422     sessions[session_id]['last_time'] = time.time()
423     return 'ok'
424
425 def listen_thread(store):
426     s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
427     s.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
428     s.bind((config.get('server','host'), config.getint('server','port')))
429     s.listen(1)
430     while not stopping:
431         conn, addr = s.accept()
432         thread.start_new_thread(client_thread, (addr, conn,))
433
434
435
436 def client_thread(ipaddr,conn):
437     #print "client thread", ipaddr
438     try:
439         ipaddr = ipaddr[0]
440         msg = ''
441         while 1:
442             d = conn.recv(1024)
443             msg += d
444             if not d: 
445                 break
446             if '#' in msg:
447                 msg = msg.split('#', 1)[0]
448                 break
449         try:
450             cmd, data = ast.literal_eval(msg)
451         except:
452             print "syntax error", repr(msg), ipaddr
453             conn.close()
454             return
455
456         out = do_command(cmd, data, ipaddr)
457         if out:
458             #print ipaddr, cmd, len(out)
459             try:
460                 conn.send(out)
461             except:
462                 print "error, could not send"
463
464     finally:
465         conn.close()
466
467
468 def do_command(cmd, data, ipaddr):
469
470     if cmd=='b':
471         out = "%d"%block_number
472
473     elif cmd in ['session','new_session']:
474         try:
475             if cmd == 'session':
476                 addresses = ast.literal_eval(data)
477                 version = "old"
478             else:
479                 version, addresses = ast.literal_eval(data)
480                 if version[0]=="0": version = "v" + version
481         except:
482             print "error", data
483             return None
484         print time.strftime("[%d/%m/%Y-%H:%M:%S]"), "new session", ipaddr, addresses[0] if addresses else addresses, len(addresses), version
485         out = new_session(version, addresses)
486
487     elif cmd=='update_session':
488         try:
489             session_id, addresses = ast.literal_eval(data)
490         except:
491             print "error"
492             return None
493         print time.strftime("[%d/%m/%Y-%H:%M:%S]"), "update session", ipaddr, addresses[0] if addresses else addresses, len(addresses)
494         out = update_session(session_id,addresses)
495
496     elif cmd == 'bccapi_login':
497         import electrum
498         print "data",data
499         v, k = ast.literal_eval(data)
500         master_public_key = k.decode('hex') # todo: sanitize. no need to decode twice...
501         print master_public_key
502         wallet_id = random_string(10)
503         w = electrum.Wallet()
504         w.master_public_key = master_public_key.decode('hex')
505         w.synchronize()
506         wallets[wallet_id] = w
507         out = wallet_id
508         print "wallets", wallets
509
510     elif cmd == 'bccapi_getAccountInfo':
511         from electrum import int_to_hex
512         v, wallet_id = ast.literal_eval(data)
513         w = wallets.get(wallet_id)
514         if w is not None:
515             num = len(w.addresses)
516             c, u = w.get_balance()
517             out = int_to_hex(num,4) + int_to_hex(c,8) + int_to_hex( c+u, 8 )
518             out = out.decode('hex')
519         else:
520             print "error",data
521             out = "error"
522
523     elif cmd == 'bccapi_getAccountStatement':
524         from electrum import int_to_hex
525         v, wallet_id = ast.literal_eval(data)
526         w = wallets.get(wallet_id)
527         if w is not None:
528             num = len(w.addresses)
529             c, u = w.get_balance()
530             total_records = num_records = 0
531             out = int_to_hex(num,4) + int_to_hex(c,8) + int_to_hex( c+u, 8 ) + int_to_hex( total_records ) + int_to_hex( num_records )
532             out = out.decode('hex')
533         else:
534             print "error",data
535             out = "error"
536
537     elif cmd == 'bccapi_getSendCoinForm':
538         out = ''
539
540     elif cmd == 'bccapi_submitTransaction':
541         out = ''
542             
543     elif cmd=='poll': 
544         out = poll_session(data)
545
546     elif cmd == 'h': 
547         # history
548         address = data
549         out = repr( store.get_history( address ) )
550
551     elif cmd == 'load': 
552         out = cmd_load(data)
553
554     elif cmd =='tx':
555         out = send_tx(data)
556         print "sent tx:", out
557
558     elif cmd == 'stop':
559         out = cmd_stop(data)
560
561     elif cmd == 'peers':
562         out = repr(peer_list.values())
563
564     else:
565         out = None
566
567     return out
568
569
570
571
572 def memorypool_update(store):
573     ds = BCDataStream.BCDataStream()
574     store.mempool_keys = []
575
576     postdata = dumps({"method": 'getmemorypool', 'params': [], 'id':'jsonrpc'})
577     respdata = urllib.urlopen(bitcoind_url, postdata).read()
578     r = loads(respdata)
579     if r['error'] != None:
580         return
581
582     v = r['result'].get('transactions')
583     for hextx in v:
584         ds.clear()
585         ds.write(hextx.decode('hex'))
586         tx = deserialize.parse_Transaction(ds)
587         tx['hash'] = util.double_sha256(tx['tx'])
588         tx_hash = tx['hash'][::-1].encode('hex')
589         store.mempool_keys.append(tx_hash)
590         if store.tx_find_id_and_value(tx):
591             pass
592         else:
593             store.import_tx(tx, False)
594
595     store.commit()
596
597
598
599 def clean_session_thread():
600     while not stopping:
601         time.sleep(30)
602         t = time.time()
603         for k,s in sessions.items():
604             t0 = s['last_time']
605             if t - t0 > 5*60:
606                 sessions.pop(k)
607             
608
609 def irc_thread():
610     global peer_list
611     NICK = 'E_'+random_string(10)
612     while not stopping:
613         try:
614             s = socket.socket()
615             s.connect(('irc.freenode.net', 6667))
616             s.send('USER electrum 0 * :'+config.get('server','host')+' '+config.get('server','ircname')+'\n')
617             s.send('NICK '+NICK+'\n')
618             s.send('JOIN #electrum\n')
619             sf = s.makefile('r', 0)
620             t = 0
621             while not stopping:
622                 line = sf.readline()
623                 line = line.rstrip('\r\n')
624                 line = line.split()
625                 if line[0]=='PING': 
626                     s.send('PONG '+line[1]+'\n')
627                 elif '353' in line: # answer to /names
628                     k = line.index('353')
629                     for item in line[k+1:]:
630                         if item[0:2] == 'E_':
631                             s.send('WHO %s\n'%item)
632                 elif '352' in line: # answer to /who
633                     # warning: this is a horrible hack which apparently works
634                     k = line.index('352')
635                     ip = line[k+4]
636                     ip = socket.gethostbyname(ip)
637                     name = line[k+6]
638                     host = line[k+9]
639                     peer_list[name] = (ip,host)
640                 if time.time() - t > 5*60:
641                     s.send('NAMES #electrum\n')
642                     t = time.time()
643                     peer_list = {}
644         except:
645             traceback.print_exc(file=sys.stdout)
646         finally:
647             sf.close()
648             s.close()
649
650
651
652 def jsonrpc_thread(store):
653     # see http://code.google.com/p/jsonrpclib/
654     from SocketServer import ThreadingMixIn
655     from jsonrpclib.SimpleJSONRPCServer import SimpleJSONRPCServer
656     class SimpleThreadedJSONRPCServer(ThreadingMixIn, SimpleJSONRPCServer): pass
657     server = SimpleThreadedJSONRPCServer(( config.get('server','host'), 8081))
658     server.register_function(lambda : peer_list.values(), 'peers')
659     server.register_function(cmd_stop, 'stop')
660     server.register_function(cmd_load, 'load')
661     server.register_function(lambda : block_number, 'blocks')
662     server.register_function(clear_cache, 'clear_cache')
663     server.register_function(get_cache, 'get_cache')
664     server.register_function(send_tx, 'blockchain.transaction.broadcast')
665     server.register_function(store.get_history, 'blockchain.address.get_history')
666     server.register_function(new_session, 'session.new')
667     server.register_function(update_session, 'session.update')
668     server.register_function(poll_session, 'session.poll')
669     server.serve_forever()
670
671
672 import traceback
673
674
675 if __name__ == '__main__':
676
677     if len(sys.argv)>1:
678         import jsonrpclib
679         server = jsonrpclib.Server('http://%s:8081'%config.get('server','host'))
680         cmd = sys.argv[1]
681         if cmd == 'load':
682             out = server.load(password)
683         elif cmd == 'peers':
684             out = server.peers()
685         elif cmd == 'stop':
686             out = server.stop(password)
687         elif cmd == 'clear_cache':
688             out = server.clear_cache(password)
689         elif cmd == 'get_cache':
690             out = server.get_cache(password,sys.argv[2])
691         elif cmd == 'h':
692             out = server.blockchain.address.get_history(sys.argv[2])
693         elif cmd == 'tx':
694             out = server.blockchain.transaction.broadcast(sys.argv[2])
695         elif cmd == 'b':
696             out = server.blocks()
697         print out
698         sys.exit(0)
699
700
701     print "starting Electrum server"
702     print "cache:", config.get('server', 'cache')
703
704     conf = DataStore.CONFIG_DEFAULTS
705     args, argv = readconf.parse_argv( [], conf)
706     args.dbtype= config.get('database','type')
707     if args.dbtype == 'sqlite3':
708         args.connect_args = { 'database' : config.get('database','database') }
709     elif args.dbtype == 'MySQLdb':
710         args.connect_args = { 'db' : config.get('database','database'), 'user' : config.get('database','username'), 'passwd' : config.get('database','password') }
711     elif args.dbtype == 'psycopg2':
712         args.connect_args = { 'database' : config.get('database','database') }
713     store = MyStore(args)
714     store.tx_cache = {}
715     store.mempool_keys = {}
716
717     thread.start_new_thread(listen_thread, (store,))
718     thread.start_new_thread(jsonrpc_thread, (store,))
719     thread.start_new_thread(clean_session_thread, ())
720     if (config.get('server','irc') == 'yes' ):
721         thread.start_new_thread(irc_thread, ())
722
723     while not stopping:
724         try:
725             dblock.acquire()
726             store.catch_up()
727             memorypool_update(store)
728             block_number = store.get_block_number(1)
729             dblock.release()
730         except:
731             traceback.print_exc(file=sys.stdout)
732         time.sleep(10)
733
734     print "server stopped"
735