1 ## Copyright 2002 Andrew Loewenstern, All Rights Reserved
3 from const import reactor
5 from pickle import loads, dumps
8 from ktable import KTable, K
9 from knode import KNode as Node
11 from hash import newID
13 from actions import FindNode, GetValue, KeyExpirer
14 from twisted.web import xmlrpc
15 from twisted.internet.defer import Deferred
16 from twisted.python import threadable
17 from twisted.internet.app import Application
18 from twisted.web import server
21 from bsddb3 import db ## find this at http://pybsddb.sf.net/
22 from bsddb3._db import DBNotFoundError
24 from xmlrpclib import Binary
26 # don't ping unless it's been at least this many seconds since we've heard from a peer
27 MAX_PING_INTERVAL = 60 * 15 # fifteen minutes
31 # this is the main class!
32 class Khashmir(xmlrpc.XMLRPC):
33 __slots__ = ['listener', 'node', 'table', 'store', 'itime', 'kw', 'app']
34 def __init__(self, host, port):
35 self.node = Node().init(newID(), host, port)
36 self.table = KTable(self.node)
37 self.app = Application("xmlrpc")
38 self.app.listenTCP(port, server.Site(self))
40 ## these databases may be more suited to on-disk rather than in-memory
41 # h((key, value)) -> (key, value, time) mappings
43 self.store.open(None, None, db.DB_BTREE)
45 # <insert time> -> h((key, value))
47 self.itime.set_flags(db.DB_DUP)
48 self.itime.open(None, None, db.DB_BTREE)
50 # key -> h((key, value))
52 self.kw.set_flags(db.DB_DUP)
53 self.kw.open(None, None, db.DB_BTREE)
55 KeyExpirer(store=self.store, itime=self.itime, kw=self.kw)
57 def render(self, request):
59 Override the built in render so we can have access to the request object!
60 note, crequest is probably only valid on the initial call (not after deferred!)
62 self.crequest = request
63 return xmlrpc.XMLRPC.render(self, request)
67 ####### LOCAL INTERFACE - use these methods!
68 def addContact(self, host, port):
70 ping this node and add the contact info to the table on pong!
72 n =Node().init(" "*20, host, port) # note, we
76 ## this call is async!
77 def findNode(self, id, callback, errback=None):
78 """ returns the contact info for node, or the k closest nodes, from the global table """
79 # get K nodes out of local table/cache, or the node we want
80 nodes = self.table.findNodes(id)
82 d.addCallbacks(callback, errback)
83 if len(nodes) == 1 and nodes[0].id == id :
86 # create our search state
87 state = FindNode(self, id, d.callback)
88 reactor.callFromThread(state.goWithNodes, nodes)
92 def valueForKey(self, key, callback):
93 """ returns the values found for key in global table """
94 nodes = self.table.findNodes(key)
95 # create our search state
96 state = GetValue(self, key, callback)
97 reactor.callFromThread(state.goWithNodes, nodes)
100 l = self.retrieveValues(key)
106 ## async, but in the current implementation there is no guarantee a store does anything so there is no callback right now
107 def storeValueForKey(self, key, value, callback=None):
108 """ stores the value for key in the global table, returns immediately, no status
109 in this implementation, peers respond but don't indicate status to storing values
110 values are stored in peers on a first-come first-served basis
111 this will probably change so more than one value can be stored under a key
113 def _storeValueForKey(nodes, key=key, value=value, response=callback , default= lambda t: "didn't respond"):
115 # default callback - this will get called for each successful store value
116 def _storedValueHandler(sender):
118 response=_storedValueHandler
120 if node.id != self.node.id:
121 df = node.storeValue(key, value, self.node.senderDict())
122 df.addCallbacks(response, default)
123 # this call is asynch
124 self.findNode(key, _storeValueForKey)
127 def insertNode(self, n):
129 insert a node in our local table, pinging oldest contact in bucket, if necessary
131 If all you have is a host/port, then use addContact, which calls this method after
132 receiving the PONG from the remote node. The reason for the seperation is we can't insert
133 a node into the table without it's peer-ID. That means of course the node passed into this
134 method needs to be a properly formed Node object with a valid ID.
136 old = self.table.insertNode(n)
137 if old and (time.time() - old.lastSeen) > MAX_PING_INTERVAL and old.id != self.node.id:
138 # the bucket is full, check to see if old node is still around and if so, replace it
140 ## these are the callbacks used when we ping the oldest node in a bucket
141 def _staleNodeHandler(oldnode=old, newnode = n):
142 """ called if the pinged node never responds """
143 self.table.replaceStaleNode(old, newnode)
145 def _notStaleNodeHandler(sender, old=old):
146 """ called when we get a ping from the remote node """
147 sender = Node().initWithDict(sender)
148 if sender.id == old.id:
149 self.table.insertNode(old)
151 df = old.ping(self.node.senderDict())
152 df.addCallbacks(_notStaleNodeHandler, _staleNodeHandler)
155 def sendPing(self, node):
159 df = node.ping(self.node.senderDict())
160 ## these are the callbacks we use when we issue a PING
161 def _pongHandler(sender, id=node.id, host=node.host, port=node.port, table=self.table):
162 if id != 20 * ' ' and id != sender['id'].data:
163 # whoah, got response from different peer than we were expecting
166 #print "Got PONG from %s at %s:%s" % (`msg['id']`, t.target.host, t.target.port)
167 sender['host'] = host
168 sender['port'] = port
169 n = Node().initWithDict(sender)
172 def _defaultPong(err):
173 # this should probably increment a failed message counter and dump the node if it gets over a threshold
176 df.addCallbacks(_pongHandler,_defaultPong)
179 def findCloseNodes(self):
181 This does a findNode on the ID one away from our own.
182 This will allow us to populate our table with nodes on our network closest to our own.
183 This is called as soon as we start up with an empty table
185 id = self.node.id[:-1] + chr((ord(self.node.id[-1]) + 1) % 256)
188 self.findNode(id, callback)
190 def refreshTable(self):
197 for bucket in self.table.buckets:
198 if time.time() - bucket.lastAccessed >= 60 * 60:
199 id = randRange(bucket.min, bucket.max)
200 self.findNode(id, callback)
203 def retrieveValues(self, key):
204 if self.kw.has_key(key):
208 while(tup and tup[0] == key):
210 v = loads(self.store[h1])[1]
213 l = map(lambda v: Binary(v), l)
218 ##### INCOMING MESSAGE HANDLERS
220 def xmlrpc_ping(self, sender):
222 takes sender dict = {'id', <id>, 'port', port} optional keys = 'ip'
225 ip = self.crequest.getClientIP()
227 n = Node().initWithDict(sender)
229 return self.node.senderDict()
231 def xmlrpc_find_node(self, target, sender):
232 nodes = self.table.findNodes(target.data)
233 nodes = map(lambda node: node.senderDict(), nodes)
234 ip = self.crequest.getClientIP()
236 n = Node().initWithDict(sender)
238 return nodes, self.node.senderDict()
240 def xmlrpc_store_value(self, key, value, sender):
242 h1 = sha(key+value.data).digest()
244 if not self.store.has_key(h1):
245 v = dumps((key, value.data, t))
246 self.store.put(h1, v)
247 self.itime.put(t, h1)
250 # update last insert time
251 tup = loads(self.store[h1])
252 self.store[h1] = dumps((tup[0], tup[1], t))
253 self.itime.put(t, h1)
255 ip = self.crequest.getClientIP()
257 n = Node().initWithDict(sender)
259 return self.node.senderDict()
261 def xmlrpc_find_value(self, key, sender):
262 ip = self.crequest.getClientIP()
265 n = Node().initWithDict(sender)
268 l = self.retrieveValues(key)
270 return {'values' : l}, self.node.senderDict()
272 nodes = self.table.findNodes(key)
273 nodes = map(lambda node: node.senderDict(), nodes)
274 return {'nodes' : nodes}, self.node.senderDict()
282 def test_build_net(quiet=0, peers=24, host='localhost', pause=1):
283 from whrandom import randrange
289 print "Building %s peer table." % peers
291 for i in xrange(peers):
292 a = Khashmir(host, port + i)
296 thread.start_new_thread(l[0].app.run, ())
302 print "adding contacts...."
305 n = l[randrange(0, len(l))].node
306 peer.addContact(host, n.port)
307 n = l[randrange(0, len(l))].node
308 peer.addContact(host, n.port)
309 n = l[randrange(0, len(l))].node
310 peer.addContact(host, n.port)
315 print "finding close nodes...."
318 peer.findCloseNodes()
324 # peer.refreshTable()
327 def test_find_nodes(l, quiet=0):
328 import threading, sys
329 from whrandom import randrange
330 flag = threading.Event()
334 a = l[randrange(0,n)]
335 b = l[randrange(0,n)]
337 def callback(nodes, flag=flag, id = b.node.id):
338 if (len(nodes) >0) and (nodes[0].id == id):
339 print "test_find_nodes PASSED"
341 print "test_find_nodes FAILED"
343 a.findNode(b.node.id, callback)
346 def test_find_value(l, quiet=0):
347 from whrandom import randrange
349 from hash import newID
350 import time, threading, sys
352 fa = threading.Event()
353 fb = threading.Event()
354 fc = threading.Event()
357 a = l[randrange(0,n)]
358 b = l[randrange(0,n)]
359 c = l[randrange(0,n)]
360 d = l[randrange(0,n)]
365 print "inserting value..."
367 a.storeValueForKey(key, value)
373 def __init__(self, flag, value=value):
377 def callback(self, values):
379 if(len(values) == 0):
387 if self.val in values:
392 b.valueForKey(key, cb(fa).callback)
394 c.valueForKey(key, cb(fb).callback)
396 d.valueForKey(key, cb(fc).callback)
401 k = Khashmir('localhost', port)
402 thread.start_new_thread(k.app.run, ())
405 if __name__ == "__main__":
408 print "finding nodes..."
411 print "inserting and fetching values..."