Don't try and add ourself to the routing table during an action.
[quix0rs-apt-p2p.git] / apt_p2p_Khashmir / actions.py
1
2 """Details of how to perform actions on remote peers."""
3
4 from datetime import datetime
5
6 from twisted.internet import reactor, defer
7 from twisted.python import log
8
9 from khash import intify
10 from ktable import K
11 from util import uncompact
12
13 class ActionBase:
14     """Base class for some long running asynchronous proccesses like finding nodes or values.
15     
16     @type caller: L{khashmir.Khashmir}
17     @ivar caller: the DHT instance that is performing the action
18     @type target: C{string}
19     @ivar target: the target of the action, usually a DHT key
20     @type config: C{dictionary}
21     @ivar config: the configuration variables for the DHT
22     @type action: C{string}
23     @ivar action: the name of the action to call on remote nodes
24     @type stats: L{stats.StatsLogger}
25     @ivar stats: the statistics modules to report to
26     @type num: C{long}
27     @ivar num: the target key in integer form
28     @type queried: C{dictionary}
29     @ivar queried: the nodes that have been queried for this action,
30         keys are node IDs, values are the node itself
31     @type answered: C{dictionary}
32     @ivar answered: the nodes that have answered the queries
33     @type found: C{dictionary}
34     @ivar found: nodes that have been found so far by the action
35     @type sorted_nodes: C{list} of L{node.Node}
36     @ivar sorted_nodes: a sorted list of nodes by there proximity to the key
37     @type results: C{dictionary}
38     @ivar results: keys are the results found so far by the action
39     @type desired_results: C{int}
40     @ivar desired_results: the minimum number of results that are needed
41         before the action should stop
42     @type callback: C{method}
43     @ivar callback: the method to call with the results
44     @type outstanding: C{int}
45     @ivar outstanding: the number of requests currently outstanding
46     @type outstanding_results: C{int}
47     @ivar outstanding_results: the number of results that are expected from
48         the requests that are currently outstanding
49     @type finished: C{boolean}
50     @ivar finished: whether the action is done
51     @type started: C{datetime.datetime}
52     @ivar started: the time the action was started at
53     @type sort: C{method}
54     @ivar sort: used to sort nodes by their proximity to the target
55     """
56     
57     def __init__(self, caller, target, callback, config, stats, action, num_results = None):
58         """Initialize the action.
59         
60         @type caller: L{khashmir.Khashmir}
61         @param caller: the DHT instance that is performing the action
62         @type target: C{string}
63         @param target: the target of the action, usually a DHT key
64         @type callback: C{method}
65         @param callback: the method to call with the results
66         @type config: C{dictionary}
67         @param config: the configuration variables for the DHT
68         @type stats: L{stats.StatsLogger}
69         @param stats: the statistics gatherer
70         @type action: C{string}
71         @param action: the name of the action to call on remote nodes
72         @type num_results: C{int}
73         @param num_results: the minimum number of results that are needed before
74             the action should stop (optional, defaults to getting all the results)
75         
76         """
77         
78         self.caller = caller
79         self.target = target
80         self.config = config
81         self.action = action
82         self.stats = stats
83         self.stats.startedAction(action)
84         self.num = intify(target)
85         self.queried = {}
86         self.answered = {}
87         self.found = {}
88         self.sorted_nodes = []
89         self.results = {}
90         self.desired_results = num_results
91         self.callback = callback
92         self.outstanding = 0
93         self.outstanding_results = 0
94         self.finished = False
95         self.started = datetime.now()
96     
97         def sort(a, b, num=self.num):
98             """Sort nodes relative to the ID we are looking for."""
99             x, y = num ^ a.num, num ^ b.num
100             if x > y:
101                 return 1
102             elif x < y:
103                 return -1
104             return 0
105         self.sort = sort
106
107     #{ Main operation
108     def goWithNodes(self, nodes):
109         """Start the action's process with a list of nodes to contact."""
110         self.started = datetime.now()
111         for node in nodes:
112             self.found[node.id] = node
113         self.sortNodes()
114         self.schedule()
115     
116     def schedule(self):
117         """Schedule requests to be sent to remote nodes."""
118         if self.finished:
119             return
120         
121         # Check if we are already done
122         if self.desired_results and ((len(self.results) >= abs(self.desired_results)) or
123                                      (self.desired_results < 0 and
124                                       len(self.answered) >= self.config['STORE_REDUNDANCY'])):
125             self.finished = True
126             result = self.generateResult()
127             reactor.callLater(0, self.callback, *result)
128             return
129
130         # Check if we have enough outstanding results coming
131         if (self.desired_results and 
132             len(self.results) + self.outstanding_results >= abs(self.desired_results)):
133             return
134         
135         # Loop for each node that should be processed
136         for node in self.getNodesToProcess():
137             # Don't send requests twice or to ourself
138             if node.id not in self.queried:
139                 self.queried[node.id] = 1
140                 
141                 # Get the action to call on the node
142                 if node.id == self.caller.node.id:
143                     try:
144                         f = getattr(self.caller, 'krpc_' + self.action)
145                     except AttributeError:
146                         log.msg("%s doesn't have a %s method!" % (node, 'krpc_' + self.action))
147                         continue
148                 else:
149                     try:
150                         f = getattr(node, self.action)
151                     except AttributeError:
152                         log.msg("%s doesn't have a %s method!" % (node, self.action))
153                         continue
154
155                 # Get the arguments to the action's method
156                 try:
157                     args, expected_results = self.generateArgs(node)
158                 except ValueError:
159                     continue
160
161                 # Call the action on the remote node
162                 self.outstanding += 1
163                 self.outstanding_results += expected_results
164                 df = defer.maybeDeferred(f, *args)
165                 reactor.callLater(0, df.addCallbacks,
166                                   *(self.gotResponse, self.actionFailed),
167                                   **{'callbackArgs': (node, expected_results, df),
168                                      'errbackArgs': (node, expected_results, df)})
169                         
170             # We might have to stop for now
171             if (self.outstanding >= self.config['CONCURRENT_REQS'] or
172                 (self.desired_results and
173                  len(self.results) + self.outstanding_results >= abs(self.desired_results))):
174                 break
175             
176         assert self.outstanding >= 0
177         assert self.outstanding_results >= 0
178
179         # If no requests are outstanding, then we are done
180         if self.outstanding == 0:
181             self.finished = True
182             result = self.generateResult()
183             reactor.callLater(0, self.callback, *result)
184
185     def gotResponse(self, dict, node, expected_results, df):
186         """Receive a response from a remote node."""
187         if node.id != self.caller.node.id:
188             reactor.callLater(0, self.caller.insertNode, node)
189         if self.finished or self.answered.has_key(node.id):
190             # a day late and a dollar short
191             return
192         self.outstanding -= 1
193         self.outstanding_results -= expected_results
194         self.answered[node.id] = 1
195         self.processResponse(dict)
196         self.schedule()
197
198     def actionFailed(self, err, node, expected_results, df):
199         """Receive an error from a remote node."""
200         log.msg("action %s failed on %s/%s: %s" % (self.action, node.host, node.port, err.getErrorMessage()))
201         if node.id != self.caller.node.id:
202             self.caller.table.nodeFailed(node)
203         self.outstanding -= 1
204         self.outstanding_results -= expected_results
205         self.schedule()
206     
207     def handleGotNodes(self, nodes):
208         """Process any received node contact info in the response.
209         
210         Not called by default, but suitable for being called by
211         L{processResponse} in a recursive node search.
212         """
213         for compact_node in nodes:
214             node_contact = uncompact(compact_node)
215             node = self.caller.Node(node_contact)
216             if not self.found.has_key(node.id):
217                 self.found[node.id] = node
218
219     def sortNodes(self):
220         """Sort the nodes, if necessary.
221         
222         Assumes nodes are never removed from the L{found} dictionary.
223         """
224         if len(self.sorted_nodes) != len(self.found):
225             self.sorted_nodes = self.found.values()
226             self.sorted_nodes.sort(self.sort)
227                 
228     #{ Subclass for specific actions
229     def getNodesToProcess(self):
230         """Generate a list of nodes to process next.
231         
232         This implementation is suitable for a recurring search over all nodes.
233         """
234         self.sortNodes()
235         return self.sorted_nodes[:K]
236     
237     def generateArgs(self, node):
238         """Generate the arguments to the node's action.
239         
240         Also return the number of results expected from this request.
241         
242         @raise ValueError: if the node should not be queried
243         """
244         return (self.caller.node.id, self.target), 0
245     
246     def processResponse(self, dict):
247         """Process the response dictionary received from the remote node."""
248         self.handleGotNodes(dict['nodes'])
249
250     def generateResult(self, nodes):
251         """Create the final result to return to the L{callback} function."""
252         self.stats.completedAction(self.action, self.started)
253         return []
254         
255
256 class FindNode(ActionBase):
257     """Find the closest nodes to the key."""
258
259     def __init__(self, caller, target, callback, config, stats, action="find_node"):
260         ActionBase.__init__(self, caller, target, callback, config, stats, action)
261
262     def processResponse(self, dict):
263         """Save the token received from each node."""
264         if dict["id"] in self.found:
265             self.found[dict["id"]].updateToken(dict.get('token', ''))
266         self.handleGotNodes(dict['nodes'])
267
268     def generateResult(self):
269         """Result is the K closest nodes to the target."""
270         self.sortNodes()
271         self.stats.completedAction(self.action, self.started)
272         return (self.sorted_nodes[:K], )
273     
274
275 class FindValue(ActionBase):
276     """Find the closest nodes to the key and check for values."""
277
278     def __init__(self, caller, target, callback, config, stats, action="find_value"):
279         ActionBase.__init__(self, caller, target, callback, config, stats, action)
280
281     def processResponse(self, dict):
282         """Save the number of values each node has."""
283         if dict["id"] in self.found:
284             self.found[dict["id"]].updateNumValues(dict.get('num', 0))
285         self.handleGotNodes(dict['nodes'])
286         
287     def generateResult(self):
288         """Result is the nodes that have values, sorted by proximity to the key."""
289         self.sortNodes()
290         self.stats.completedAction(self.action, self.started)
291         return ([node for node in self.sorted_nodes if node.num_values > 0], )
292     
293
294 class GetValue(ActionBase):
295     """Retrieve values from a list of nodes."""
296     
297     def __init__(self, caller, target, num_results, callback, config, stats, action="get_value"):
298         ActionBase.__init__(self, caller, target, callback, config, stats, action, num_results)
299
300     def getNodesToProcess(self):
301         """Nodes are never added, always return the same sorted node list."""
302         return self.sorted_nodes
303     
304     def generateArgs(self, node):
305         """Arguments include the number of values to request."""
306         if node.num_values > 0:
307             # Request all desired results from each node, just to be sure.
308             num_values = abs(self.desired_results) - len(self.results)
309             assert num_values > 0
310             if num_values > node.num_values:
311                 num_values = 0
312             return (self.caller.node.id, self.target, num_values), node.num_values
313         else:
314             raise ValueError, "Don't try and get values from this node because it doesn't have any"
315
316     def processResponse(self, dict):
317         """Save the returned values, calling the L{callback} each time there are new ones."""
318         if dict.has_key('values'):
319             def x(y, z=self.results):
320                 if not z.has_key(y):
321                     z[y] = 1
322                     return y
323                 else:
324                     return None
325             z = len(dict['values'])
326             v = filter(None, map(x, dict['values']))
327             if len(v):
328                 reactor.callLater(0, self.callback, self.target, v)
329
330     def generateResult(self):
331         """Results have all been returned, now send the empty list to end the action."""
332         self.stats.completedAction(self.action, self.started)
333         return (self.target, [])
334         
335
336 class StoreValue(ActionBase):
337     """Store a value in a list of nodes."""
338
339     def __init__(self, caller, target, value, num_results, callback, config, stats, action="store_value"):
340         """Initialize the action with the value to store.
341         
342         @type value: C{string}
343         @param value: the value to store in the nodes
344         """
345         ActionBase.__init__(self, caller, target, callback, config, stats, action, num_results)
346         self.value = value
347         
348     def getNodesToProcess(self):
349         """Nodes are never added, always return the same sorted list."""
350         return self.sorted_nodes
351
352     def generateArgs(self, node):
353         """Args include the value to store and the node's token."""
354         if node.token:
355             return (self.caller.node.id, self.target, self.value, node.token), 1
356         else:
357             raise ValueError, "Don't store at this node since we don't know it's token"
358
359     def processResponse(self, dict):
360         """Save the response, though it should be nothin but the ID."""
361         self.results[dict["id"]] = dict
362     
363     def generateResult(self):
364         """Return all the response IDs received."""
365         self.stats.completedAction(self.action, self.started)
366         return (self.target, self.value, self.results.values())