fix
[oweals/gnunet.git] / src / fs / gnunet-service-fs.c
1 /*
2      This file is part of GNUnet.
3      (C) 2009, 2010 Christian Grothoff (and other contributing authors)
4
5      GNUnet is free software; you can redistribute it and/or modify
6      it under the terms of the GNU General Public License as published
7      by the Free Software Foundation; either version 2, or (at your
8      option) any later version.
9
10      GNUnet is distributed in the hope that it will be useful, but
11      WITHOUT ANY WARRANTY; without even the implied warranty of
12      MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
13      General Public License for more details.
14
15      You should have received a copy of the GNU General Public License
16      along with GNUnet; see the file COPYING.  If not, write to the
17      Free Software Foundation, Inc., 59 Temple Place - Suite 330,
18      Boston, MA 02111-1307, USA.
19 */
20
21 /**
22  * @file fs/gnunet-service-fs.c
23  * @brief gnunet anonymity protocol implementation
24  * @author Christian Grothoff
25  *
26  * FIXME:
27  * - code not clear in terms of which function initializes bloomfilter when!
28  * TODO:
29  * - have non-zero preference / priority for requests we initiate!
30  * - track stats for hot-path routing
31  * - implement hot-path routing decision procedure
32  * - implement: bound_priority, test_load_too_high, validate_nblock
33  * - add content migration support (store locally) [or create new service]
34  * - statistics
35  */
36 #include "platform.h"
37 #include <float.h>
38 #include "gnunet_constants.h"
39 #include "gnunet_core_service.h"
40 #include "gnunet_datastore_service.h"
41 #include "gnunet_peer_lib.h"
42 #include "gnunet_protocols.h"
43 #include "gnunet_signatures.h"
44 #include "gnunet_statistics_service.h"
45 #include "gnunet_util_lib.h"
46 #include "gnunet-service-fs_drq.h"
47 #include "gnunet-service-fs_indexing.h"
48 #include "fs.h"
49
50 #define DEBUG_FS GNUNET_NO
51
52 /**
53  * Maximum number of outgoing messages we queue per peer.
54  * FIXME: make configurable?
55  */
56 #define MAX_QUEUE_PER_PEER 16
57
58 /**
59  * Inverse of the probability that we will submit the same query
60  * to the same peer again.  If the same peer already got the query
61  * repeatedly recently, the probability is multiplied by the inverse
62  * of this number each time.  Note that we only try about every TTL_DECREMENT/2
63  * plus MAX_CORK_DELAY (so roughly every 3.5s).
64  */
65 #define RETRY_PROBABILITY_INV 3
66
67 /**
68  * What is the maximum delay for a P2P FS message (in our interaction
69  * with core)?  FS-internal delays are another story.  The value is
70  * chosen based on the 32k block size.  Given that peers typcially
71  * have at least 1 kb/s bandwidth, 45s waits give us a chance to
72  * transmit one message even to the lowest-bandwidth peers.
73  */
74 #define MAX_TRANSMIT_DELAY GNUNET_TIME_relative_multiply (GNUNET_TIME_UNIT_SECONDS, 45)
75
76
77
78 /**
79  * Maximum number of requests (from other peers) that we're
80  * willing to have pending at any given point in time.
81  * FIXME: set from configuration.
82  */
83 static uint64_t max_pending_requests = (32 * 1024);
84
85
86 /**
87  * Information we keep for each pending reply.  The
88  * actual message follows at the end of this struct.
89  */
90 struct PendingMessage;
91
92
93 /**
94  * Function called upon completion of a transmission.
95  *
96  * @param cls closure
97  * @param pid ID of receiving peer, 0 on transmission error
98  */
99 typedef void (*TransmissionContinuation)(void * cls, 
100                                          GNUNET_PEER_Id tpid);
101
102
103 /**
104  * Information we keep for each pending message (GET/PUT).  The
105  * actual message follows at the end of this struct.
106  */
107 struct PendingMessage
108 {
109   /**
110    * This is a doubly-linked list of messages to the same peer.
111    */
112   struct PendingMessage *next;
113
114   /**
115    * This is a doubly-linked list of messages to the same peer.
116    */
117   struct PendingMessage *prev;
118
119   /**
120    * Entry in pending message list for this pending message.
121    */ 
122   struct PendingMessageList *pml;  
123
124   /**
125    * Function to call immediately once we have transmitted this
126    * message.
127    */
128   TransmissionContinuation cont;
129
130   /**
131    * Closure for cont.
132    */
133   void *cont_cls;
134
135   /**
136    * Size of the reply; actual reply message follows
137    * at the end of this struct.
138    */
139   size_t msize;
140   
141   /**
142    * How important is this message for us?
143    */
144   uint32_t priority;
145  
146 };
147
148
149 /**
150  * Information about a peer that we are connected to.
151  * We track data that is useful for determining which
152  * peers should receive our requests.  We also keep
153  * a list of messages to transmit to this peer.
154  */
155 struct ConnectedPeer
156 {
157
158   /**
159    * List of the last clients for which this peer successfully
160    * answered a query.
161    */
162   struct GNUNET_SERVER_Client *last_client_replies[CS2P_SUCCESS_LIST_SIZE];
163
164   /**
165    * List of the last PIDs for which
166    * this peer successfully answered a query;
167    * We use 0 to indicate no successful reply.
168    */
169   GNUNET_PEER_Id last_p2p_replies[P2P_SUCCESS_LIST_SIZE];
170
171   /**
172    * Average delay between sending the peer a request and
173    * getting a reply (only calculated over the requests for
174    * which we actually got a reply).   Calculated
175    * as a moving average: new_delay = ((n-1)*last_delay+curr_delay) / n
176    */ 
177   struct GNUNET_TIME_Relative avg_delay;
178
179   /**
180    * Handle for an active request for transmission to this
181    * peer, or NULL.
182    */
183   struct GNUNET_CORE_TransmitHandle *cth;
184
185   /**
186    * Messages (replies, queries, content migration) we would like to
187    * send to this peer in the near future.  Sorted by priority, head.
188    */
189   struct PendingMessage *pending_messages_head;
190
191   /**
192    * Messages (replies, queries, content migration) we would like to
193    * send to this peer in the near future.  Sorted by priority, tail.
194    */
195   struct PendingMessage *pending_messages_tail;
196
197   /**
198    * Average priority of successful replies.  Calculated
199    * as a moving average: new_avg = ((n-1)*last_avg+curr_prio) / n
200    */
201   double avg_priority;
202
203   /**
204    * Increase in traffic preference still to be submitted
205    * to the core service for this peer. FIXME: double or 'uint64_t'?
206    */
207   double inc_preference;
208
209   /**
210    * The peer's identity.
211    */
212   GNUNET_PEER_Id pid;  
213
214   /**
215    * Size of the linked list of 'pending_messages'.
216    */
217   unsigned int pending_requests;
218
219   /**
220    * Which offset in "last_p2p_replies" will be updated next?
221    * (we go round-robin).
222    */
223   unsigned int last_p2p_replies_woff;
224
225   /**
226    * Which offset in "last_client_replies" will be updated next?
227    * (we go round-robin).
228    */
229   unsigned int last_client_replies_woff;
230
231 };
232
233
234 /**
235  * Information we keep for each pending request.  We should try to
236  * keep this struct as small as possible since its memory consumption
237  * is key to how many requests we can have pending at once.
238  */
239 struct PendingRequest;
240
241
242 /**
243  * Doubly-linked list of requests we are performing
244  * on behalf of the same client.
245  */
246 struct ClientRequestList
247 {
248
249   /**
250    * This is a doubly-linked list.
251    */
252   struct ClientRequestList *next;
253
254   /**
255    * This is a doubly-linked list.
256    */
257   struct ClientRequestList *prev;
258
259   /**
260    * Request this entry represents.
261    */
262   struct PendingRequest *req;
263
264   /**
265    * Client list this request belongs to.
266    */
267   struct ClientList *client_list;
268
269 };
270
271
272 /**
273  * Replies to be transmitted to the client.  The actual
274  * response message is allocated after this struct.
275  */
276 struct ClientResponseMessage
277 {
278   /**
279    * This is a doubly-linked list.
280    */
281   struct ClientResponseMessage *next;
282
283   /**
284    * This is a doubly-linked list.
285    */
286   struct ClientResponseMessage *prev;
287
288   /**
289    * Client list entry this response belongs to.
290    */
291   struct ClientList *client_list;
292
293   /**
294    * Number of bytes in the response.
295    */
296   size_t msize;
297 };
298
299
300 /**
301  * Linked list of clients we are performing requests
302  * for right now.
303  */
304 struct ClientList
305 {
306   /**
307    * This is a linked list.
308    */
309   struct ClientList *next;
310
311   /**
312    * ID of a client making a request, NULL if this entry is for a
313    * peer.
314    */
315   struct GNUNET_SERVER_Client *client;
316
317   /**
318    * Head of list of requests performed on behalf
319    * of this client right now.
320    */
321   struct ClientRequestList *rl_head;
322
323   /**
324    * Tail of list of requests performed on behalf
325    * of this client right now.
326    */
327   struct ClientRequestList *rl_tail;
328
329   /**
330    * Head of linked list of responses.
331    */
332   struct ClientResponseMessage *res_head;
333
334   /**
335    * Tail of linked list of responses.
336    */
337   struct ClientResponseMessage *res_tail;
338
339   /**
340    * Context for sending replies.
341    */
342   struct GNUNET_CONNECTION_TransmitHandle *th;
343
344 };
345
346
347 /**
348  * Doubly-linked list of messages we are performing
349  * due to a pending request.
350  */
351 struct PendingMessageList
352 {
353
354   /**
355    * This is a doubly-linked list of messages on behalf of the same request.
356    */
357   struct PendingMessageList *next;
358
359   /**
360    * This is a doubly-linked list of messages on behalf of the same request.
361    */
362   struct PendingMessageList *prev;
363
364   /**
365    * Message this entry represents.
366    */
367   struct PendingMessage *pm;
368
369   /**
370    * Request this entry belongs to.
371    */
372   struct PendingRequest *req;
373
374   /**
375    * Peer this message is targeted for.
376    */
377   struct ConnectedPeer *target;
378
379 };
380
381
382 /**
383  * Information we keep for each pending request.  We should try to
384  * keep this struct as small as possible since its memory consumption
385  * is key to how many requests we can have pending at once.
386  */
387 struct PendingRequest
388 {
389
390   /**
391    * If this request was made by a client, this is our entry in the
392    * client request list; otherwise NULL.
393    */
394   struct ClientRequestList *client_request_list;
395
396   /**
397    * Entry of peer responsible for this entry (if this request
398    * was made by a peer).
399    */
400   struct ConnectedPeer *cp;
401
402   /**
403    * If this is a namespace query, pointer to the hash of the public
404    * key of the namespace; otherwise NULL.  Pointer will be to the 
405    * end of this struct (so no need to free it).
406    */
407   const GNUNET_HashCode *namespace;
408
409   /**
410    * Bloomfilter we use to filter out replies that we don't care about
411    * (anymore).  NULL as long as we are interested in all replies.
412    */
413   struct GNUNET_CONTAINER_BloomFilter *bf;
414
415   /**
416    * Context of our GNUNET_CORE_peer_change_preference call.
417    */
418   struct GNUNET_CORE_InformationRequestContext *irc;
419
420   /**
421    * Hash code of all replies that we have seen so far (only valid
422    * if client is not NULL since we only track replies like this for
423    * our own clients).
424    */
425   GNUNET_HashCode *replies_seen;
426
427   /**
428    * Node in the heap representing this entry; NULL
429    * if we have no heap node.
430    */
431   struct GNUNET_CONTAINER_HeapNode *hnode;
432
433   /**
434    * Head of list of messages being performed on behalf of this
435    * request.
436    */
437   struct PendingMessageList *pending_head;
438
439   /**
440    * Tail of list of messages being performed on behalf of this
441    * request.
442    */
443   struct PendingMessageList *pending_tail;
444
445   /**
446    * When did we first see this request (form this peer), or, if our
447    * client is initiating, when did we last initiate a search?
448    */
449   struct GNUNET_TIME_Absolute start_time;
450
451   /**
452    * The query that this request is for.
453    */
454   GNUNET_HashCode query;
455
456   /**
457    * The task responsible for transmitting queries
458    * for this request.
459    */
460   GNUNET_SCHEDULER_TaskIdentifier task;
461
462   /**
463    * (Interned) Peer identifier that identifies a preferred target
464    * for requests.
465    */
466   GNUNET_PEER_Id target_pid;
467
468   /**
469    * (Interned) Peer identifiers of peers that have already
470    * received our query for this content.
471    */
472   GNUNET_PEER_Id *used_pids;
473   
474   /**
475    * Our entry in the DRQ (non-NULL while we wait for our
476    * turn to interact with the local database).
477    */
478   struct DatastoreRequestQueue *drq;
479
480   /**
481    * Size of the 'bf' (in bytes).
482    */
483   size_t bf_size;
484
485   /**
486    * Desired anonymity level; only valid for requests from a local client.
487    */
488   uint32_t anonymity_level;
489
490   /**
491    * How many entries in "used_pids" are actually valid?
492    */
493   unsigned int used_pids_off;
494
495   /**
496    * How long is the "used_pids" array?
497    */
498   unsigned int used_pids_size;
499
500   /**
501    * Number of results found for this request.
502    */
503   unsigned int results_found;
504
505   /**
506    * How many entries in "replies_seen" are actually valid?
507    */
508   unsigned int replies_seen_off;
509
510   /**
511    * How long is the "replies_seen" array?
512    */
513   unsigned int replies_seen_size;
514   
515   /**
516    * Priority with which this request was made.  If one of our clients
517    * made the request, then this is the current priority that we are
518    * using when initiating the request.  This value is used when
519    * we decide to reward other peers with trust for providing a reply.
520    */
521   uint32_t priority;
522
523   /**
524    * Priority points left for us to spend when forwarding this request
525    * to other peers.
526    */
527   uint32_t remaining_priority;
528
529   /**
530    * Number to mingle hashes for bloom-filter tests with.
531    */
532   int32_t mingle;
533
534   /**
535    * TTL with which we saw this request (or, if we initiated, TTL that
536    * we used for the request).
537    */
538   int32_t ttl;
539   
540   /**
541    * Type of the content that this request is for.
542    */
543   uint32_t type;
544
545   /**
546    * Remove this request after transmission of the current response.
547    */
548   int do_remove;
549
550 };
551
552
553 /**
554  * Our scheduler.
555  */
556 static struct GNUNET_SCHEDULER_Handle *sched;
557
558 /**
559  * Our configuration.
560  */
561 static const struct GNUNET_CONFIGURATION_Handle *cfg;
562
563 /**
564  * Map of peer identifiers to "struct ConnectedPeer" (for that peer).
565  */
566 static struct GNUNET_CONTAINER_MultiHashMap *connected_peers;
567
568 /**
569  * Map of peer identifiers to "struct PendingRequest" (for that peer).
570  */
571 static struct GNUNET_CONTAINER_MultiHashMap *peer_request_map;
572
573 /**
574  * Map of query identifiers to "struct PendingRequest" (for that query).
575  */
576 static struct GNUNET_CONTAINER_MultiHashMap *query_request_map;
577
578 /**
579  * Heap with the request that will expire next at the top.  Contains
580  * pointers of type "struct PendingRequest*"; these will *also* be
581  * aliased from the "requests_by_peer" data structures and the
582  * "requests_by_query" table.  Note that requests from our clients
583  * don't expire and are thus NOT in the "requests_by_expiration"
584  * (or the "requests_by_peer" tables).
585  */
586 static struct GNUNET_CONTAINER_Heap *requests_by_expiration_heap;
587
588 /**
589  * Handle for reporting statistics.
590  */
591 static struct GNUNET_STATISTICS_Handle *stats;
592
593 /**
594  * Linked list of clients we are currently processing requests for.
595  */
596 static struct ClientList *client_list;
597
598 /**
599  * Pointer to handle to the core service (points to NULL until we've
600  * connected to it).
601  */
602 static struct GNUNET_CORE_Handle *core;
603
604
605 /* ******************* clean up functions ************************ */
606
607
608 /**
609  * We're done with a particular message list entry.
610  * Free all associated resources.
611  * 
612  * @param pml entry to destroy
613  */
614 static void
615 destroy_pending_message_list_entry (struct PendingMessageList *pml)
616 {
617   GNUNET_CONTAINER_DLL_remove (pml->req->pending_head,
618                                pml->req->pending_tail,
619                                pml);
620   GNUNET_CONTAINER_DLL_remove (pml->target->pending_messages_head,
621                                pml->target->pending_messages_tail,
622                                pml->pm);
623   pml->target->pending_requests--;
624   GNUNET_free (pml->pm);
625   GNUNET_free (pml);
626 }
627
628
629 /**
630  * Destroy the given pending message (and call the respective
631  * continuation).
632  *
633  * @param pm message to destroy
634  * @param tpid id of peer that the message was delivered to, or 0 for none
635  */
636 static void
637 destroy_pending_message (struct PendingMessage *pm,
638                          GNUNET_PEER_Id tpid)
639 {
640   struct PendingMessageList *pml = pm->pml;
641   TransmissionContinuation cont;
642   void *cont_cls;
643
644   GNUNET_assert (pml->pm == pm);
645   GNUNET_assert ( (tpid == 0) || (tpid == pml->target->pid) );
646   cont = pm->cont;
647   cont_cls = pm->cont_cls;
648   destroy_pending_message_list_entry (pml);
649   cont (cont_cls, tpid);  
650 }
651
652
653 /**
654  * We're done processing a particular request.
655  * Free all associated resources.
656  *
657  * @param pr request to destroy
658  */
659 static void
660 destroy_pending_request (struct PendingRequest *pr)
661 {
662   struct GNUNET_PeerIdentity pid;
663
664   if (pr->hnode != NULL)
665     {
666       GNUNET_CONTAINER_heap_remove_node (requests_by_expiration_heap,
667                                          pr->hnode);
668       pr->hnode = NULL;
669       GNUNET_STATISTICS_update (stats,
670                                 gettext_noop ("# P2P searches active"),
671                                 -1,
672                                 GNUNET_NO);
673     }
674   else
675     {
676       GNUNET_STATISTICS_update (stats,
677                                 gettext_noop ("# client searches active"),
678                                 -1,
679                                 GNUNET_NO);
680     }
681   /* might have already been removed from map in 'process_reply' (if
682      there was a unique reply) or never inserted if it was a
683      duplicate; hence ignore the return value here */
684   (void) GNUNET_CONTAINER_multihashmap_remove (query_request_map,
685                                                &pr->query,
686                                                pr);
687   if (pr->drq != NULL)
688     {
689       GNUNET_FS_drq_get_cancel (pr->drq);
690       pr->drq = NULL;
691     }
692   if (pr->client_request_list != NULL)
693     {
694       GNUNET_CONTAINER_DLL_remove (pr->client_request_list->client_list->rl_head,
695                                    pr->client_request_list->client_list->rl_tail,
696                                    pr->client_request_list);
697       GNUNET_free (pr->client_request_list);
698       pr->client_request_list = NULL;
699     }
700   if (pr->cp != NULL)
701     {
702       GNUNET_PEER_resolve (pr->cp->pid,
703                            &pid);
704       (void) GNUNET_CONTAINER_multihashmap_remove (peer_request_map,
705                                                    &pid.hashPubKey,
706                                                    pr);
707       pr->cp = NULL;
708     }
709   if (pr->bf != NULL)
710     {
711       GNUNET_CONTAINER_bloomfilter_free (pr->bf);                                        
712       pr->bf = NULL;
713     }
714   if (pr->irc != NULL)
715     {
716       GNUNET_CORE_peer_change_preference_cancel (pr->irc);
717       pr->irc = NULL;
718     }
719   if (pr->replies_seen != NULL)
720     {
721       GNUNET_free (pr->replies_seen);
722       pr->replies_seen = NULL;
723     }
724   if (pr->task != GNUNET_SCHEDULER_NO_TASK)
725     {
726       GNUNET_SCHEDULER_cancel (sched,
727                                pr->task);
728       pr->task = GNUNET_SCHEDULER_NO_TASK;
729     }
730   while (NULL != pr->pending_head)    
731     destroy_pending_message_list_entry (pr->pending_head);
732   GNUNET_PEER_change_rc (pr->target_pid, -1);
733   if (pr->used_pids != NULL)
734     {
735       GNUNET_PEER_decrement_rcs (pr->used_pids, pr->used_pids_off);
736       GNUNET_free (pr->used_pids);
737       pr->used_pids_off = 0;
738       pr->used_pids_size = 0;
739       pr->used_pids = NULL;
740     }
741   GNUNET_free (pr);
742 }
743
744
745 /**
746  * Method called whenever a given peer connects.
747  *
748  * @param cls closure, not used
749  * @param peer peer identity this notification is about
750  * @param latency reported latency of the connection with 'other'
751  * @param distance reported distance (DV) to 'other' 
752  */
753 static void 
754 peer_connect_handler (void *cls,
755                       const struct
756                       GNUNET_PeerIdentity * peer,
757                       struct GNUNET_TIME_Relative latency,
758                       uint32_t distance)
759 {
760   struct ConnectedPeer *cp;
761
762   cp = GNUNET_malloc (sizeof (struct ConnectedPeer));
763   cp->pid = GNUNET_PEER_intern (peer);
764   GNUNET_CONTAINER_multihashmap_put (connected_peers,
765                                      &peer->hashPubKey,
766                                      cp,
767                                      GNUNET_CONTAINER_MULTIHASHMAPOPTION_UNIQUE_ONLY);
768 }
769
770
771 /**
772  * Free (each) request made by the peer.
773  *
774  * @param cls closure, points to peer that the request belongs to
775  * @param key current key code
776  * @param value value in the hash map
777  * @return GNUNET_YES (we should continue to iterate)
778  */
779 static int
780 destroy_request (void *cls,
781                  const GNUNET_HashCode * key,
782                  void *value)
783 {
784   const struct GNUNET_PeerIdentity * peer = cls;
785   struct PendingRequest *pr = value;
786   
787   GNUNET_CONTAINER_multihashmap_remove (peer_request_map,
788                                         &peer->hashPubKey,
789                                         pr);
790   destroy_pending_request (pr);
791   return GNUNET_YES;
792 }
793
794
795 /**
796  * Method called whenever a peer disconnects.
797  *
798  * @param cls closure, not used
799  * @param peer peer identity this notification is about
800  */
801 static void
802 peer_disconnect_handler (void *cls,
803                          const struct
804                          GNUNET_PeerIdentity * peer)
805 {
806   struct ConnectedPeer *cp;
807   struct PendingMessage *pm;
808   unsigned int i;
809
810   GNUNET_CONTAINER_multihashmap_get_multiple (peer_request_map,
811                                               &peer->hashPubKey,
812                                               &destroy_request,
813                                               (void*) peer);
814   cp = GNUNET_CONTAINER_multihashmap_get (connected_peers,
815                                           &peer->hashPubKey);
816   if (cp == NULL)
817     return;
818   for (i=0;i<CS2P_SUCCESS_LIST_SIZE;i++)
819     {
820       if (NULL != cp->last_client_replies[i])
821         {
822           GNUNET_SERVER_client_drop (cp->last_client_replies[i]);
823           cp->last_client_replies[i] = NULL;
824         }
825     }
826   GNUNET_CONTAINER_multihashmap_remove (connected_peers,
827                                         &peer->hashPubKey,
828                                         cp);
829   GNUNET_PEER_change_rc (cp->pid, -1);
830   GNUNET_PEER_decrement_rcs (cp->last_p2p_replies, P2P_SUCCESS_LIST_SIZE);
831   if (NULL != cp->cth)
832     GNUNET_CORE_notify_transmit_ready_cancel (cp->cth);
833   while (NULL != (pm = cp->pending_messages_head))
834     destroy_pending_message (pm, 0 /* delivery failed */);
835   GNUNET_break (0 == cp->pending_requests);
836   GNUNET_free (cp);
837 }
838
839
840 /**
841  * Iterator over hash map entries that removes all occurences
842  * of the given 'client' from the 'last_client_replies' of the
843  * given connected peer.
844  *
845  * @param cls closure, the 'struct GNUNET_SERVER_Client*' to remove
846  * @param key current key code (unused)
847  * @param value value in the hash map (the 'struct ConnectedPeer*' to change)
848  * @return GNUNET_YES (we should continue to iterate)
849  */
850 static int
851 remove_client_from_last_client_replies (void *cls,
852                                         const GNUNET_HashCode * key,
853                                         void *value)
854 {
855   struct GNUNET_SERVER_Client *client = cls;
856   struct ConnectedPeer *cp = value;
857   unsigned int i;
858
859   for (i=0;i<CS2P_SUCCESS_LIST_SIZE;i++)
860     {
861       if (cp->last_client_replies[i] == client)
862         {
863           GNUNET_SERVER_client_drop (cp->last_client_replies[i]);
864           cp->last_client_replies[i] = NULL;
865         }
866     }  
867   return GNUNET_YES;
868 }
869
870
871 /**
872  * A client disconnected.  Remove all of its pending queries.
873  *
874  * @param cls closure, NULL
875  * @param client identification of the client
876  */
877 static void
878 handle_client_disconnect (void *cls,
879                           struct GNUNET_SERVER_Client
880                           * client)
881 {
882   struct ClientList *pos;
883   struct ClientList *prev;
884   struct ClientRequestList *rcl;
885   struct ClientResponseMessage *creply;
886
887   if (client == NULL)
888     return;
889   prev = NULL;
890   pos = client_list;
891   while ( (NULL != pos) &&
892           (pos->client != client) )
893     {
894       prev = pos;
895       pos = pos->next;
896     }
897   if (pos == NULL)
898     return; /* no requests pending for this client */
899   while (NULL != (rcl = pos->rl_head))
900     {
901       GNUNET_log (GNUNET_ERROR_TYPE_INFO,
902                   "Destroying pending request `%s' on disconnect\n",
903                   GNUNET_h2s (&rcl->req->query));
904       destroy_pending_request (rcl->req);
905     }
906   if (prev == NULL)
907     client_list = pos->next;
908   else
909     prev->next = pos->next;
910   if (pos->th != NULL)
911     {
912       GNUNET_CONNECTION_notify_transmit_ready_cancel (pos->th);
913       pos->th = NULL;
914     }
915   while (NULL != (creply = pos->res_head))
916     {
917       GNUNET_CONTAINER_DLL_remove (pos->res_head,
918                                    pos->res_tail,
919                                    creply);
920       GNUNET_free (creply);
921     }    
922   GNUNET_SERVER_client_drop (pos->client);
923   GNUNET_free (pos);
924   GNUNET_CONTAINER_multihashmap_iterate (connected_peers,
925                                          &remove_client_from_last_client_replies,
926                                          client);
927 }
928
929
930 /**
931  * Iterator to free peer entries.
932  *
933  * @param cls closure, unused
934  * @param key current key code
935  * @param value value in the hash map (peer entry)
936  * @return GNUNET_YES (we should continue to iterate)
937  */
938 static int 
939 clean_peer (void *cls,
940             const GNUNET_HashCode * key,
941             void *value)
942 {
943   peer_disconnect_handler (NULL, (const struct GNUNET_PeerIdentity*) key);
944   return GNUNET_YES;
945 }
946
947
948 /**
949  * Task run during shutdown.
950  *
951  * @param cls unused
952  * @param tc unused
953  */
954 static void
955 shutdown_task (void *cls,
956                const struct GNUNET_SCHEDULER_TaskContext *tc)
957 {
958   while (client_list != NULL)
959     handle_client_disconnect (NULL,
960                               client_list->client);
961   GNUNET_CONTAINER_multihashmap_iterate (connected_peers,
962                                          &clean_peer,
963                                          NULL);
964   GNUNET_break (0 == GNUNET_CONTAINER_heap_get_size (requests_by_expiration_heap));
965   GNUNET_CONTAINER_heap_destroy (requests_by_expiration_heap);
966   requests_by_expiration_heap = 0;
967   GNUNET_CONTAINER_multihashmap_destroy (connected_peers);
968   connected_peers = NULL;
969   GNUNET_break (0 == GNUNET_CONTAINER_multihashmap_size (query_request_map));
970   GNUNET_CONTAINER_multihashmap_destroy (query_request_map);
971   query_request_map = NULL;
972   GNUNET_break (0 == GNUNET_CONTAINER_multihashmap_size (peer_request_map));
973   GNUNET_CONTAINER_multihashmap_destroy (peer_request_map);
974   peer_request_map = NULL;
975   GNUNET_assert (NULL != core);
976   GNUNET_CORE_disconnect (core);
977   core = NULL;
978   if (stats != NULL)
979     {
980       GNUNET_STATISTICS_destroy (stats, GNUNET_NO);
981       stats = NULL;
982     }
983   sched = NULL;
984   cfg = NULL;  
985 }
986
987
988 /* ******************* Utility functions  ******************** */
989
990
991 /**
992  * Transmit the given message by copying it to the target buffer
993  * "buf".  "buf" will be NULL and "size" zero if the socket was closed
994  * for writing in the meantime.  In that case, do nothing
995  * (the disconnect or shutdown handler will take care of the rest).
996  * If we were able to transmit messages and there are still more
997  * pending, ask core again for further calls to this function.
998  *
999  * @param cls closure, pointer to the 'struct ConnectedPeer*'
1000  * @param size number of bytes available in buf
1001  * @param buf where the callee should write the message
1002  * @return number of bytes written to buf
1003  */
1004 static size_t
1005 transmit_to_peer (void *cls,
1006                   size_t size, void *buf)
1007 {
1008   struct ConnectedPeer *cp = cls;
1009   char *cbuf = buf;
1010   struct GNUNET_PeerIdentity pid;
1011   struct PendingMessage *pm;
1012   size_t msize;
1013  
1014   cp->cth = NULL;
1015   if (NULL == buf)
1016     {
1017 #if DEBUG_FS
1018       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1019                   "Dropping message, core too busy.\n");
1020 #endif
1021       return 0;
1022     }
1023   msize = 0;
1024   while ( (NULL != (pm = cp->pending_messages_head) ) &&
1025           (pm->msize <= size) )
1026     {
1027       memcpy (&cbuf[msize], &pm[1], pm->msize);
1028       msize += pm->msize;
1029       size -= pm->msize;
1030       destroy_pending_message (pm, cp->pid);
1031     }
1032   if (NULL != pm)
1033     {
1034       GNUNET_PEER_resolve (cp->pid,
1035                            &pid);
1036       cp->cth = GNUNET_CORE_notify_transmit_ready (core,
1037                                                    pm->priority,
1038                                                    GNUNET_CONSTANTS_SERVICE_TIMEOUT,
1039                                                    &pid,
1040                                                    pm->msize,
1041                                                    &transmit_to_peer,
1042                                                    cp);
1043     }
1044 #if DEBUG_FS > 2
1045   GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1046               "Transmitting %u bytes to peer %u.\n",
1047               msize,
1048               cp->pid);
1049 #endif
1050   return msize;
1051 }
1052
1053
1054 /**
1055  * Add a message to the set of pending messages for the given peer.
1056  *
1057  * @param cp peer to send message to
1058  * @param pm message to queue
1059  * @param pr request on which behalf this message is being queued
1060  */
1061 static void
1062 add_to_pending_messages_for_peer (struct ConnectedPeer *cp,
1063                                   struct PendingMessage *pm,
1064                                   struct PendingRequest *pr)
1065 {
1066   struct PendingMessage *pos;
1067   struct PendingMessageList *pml;
1068   struct GNUNET_PeerIdentity pid;
1069
1070   GNUNET_assert (pm->next == NULL);
1071   GNUNET_assert (pm->pml == NULL);    
1072   pml = GNUNET_malloc (sizeof (struct PendingMessageList));
1073   pml->req = pr;
1074   pml->target = cp;
1075   pml->pm = pm;
1076   pm->pml = pml;  
1077   GNUNET_CONTAINER_DLL_insert (pr->pending_head,
1078                                pr->pending_tail,
1079                                pml);
1080   pos = cp->pending_messages_head;
1081   while ( (pos != NULL) &&
1082           (pm->priority < pos->priority) )
1083     pos = pos->next;    
1084   GNUNET_CONTAINER_DLL_insert_after (cp->pending_messages_head,
1085                                      cp->pending_messages_tail,
1086                                      pos,
1087                                      pm);
1088   cp->pending_requests++;
1089   if (cp->pending_requests > MAX_QUEUE_PER_PEER)
1090     destroy_pending_message (cp->pending_messages_tail, 0);  
1091   if (cp->cth == NULL)
1092     {
1093       /* need to schedule transmission */
1094       GNUNET_PEER_resolve (cp->pid, &pid);
1095       cp->cth = GNUNET_CORE_notify_transmit_ready (core,
1096                                                    cp->pending_messages_head->priority,
1097                                                    MAX_TRANSMIT_DELAY,
1098                                                    &pid,
1099                                                    cp->pending_messages_head->msize,
1100                                                    &transmit_to_peer,
1101                                                    cp);
1102     }
1103   if (cp->cth == NULL)
1104     {
1105 #if DEBUG_FS
1106       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1107                   "Failed to schedule transmission with core!\n");
1108 #endif
1109       /* FIXME: call stats (rare, bad case) */
1110     }
1111 }
1112
1113
1114 /**
1115  * Mingle hash with the mingle_number to produce different bits.
1116  */
1117 static void
1118 mingle_hash (const GNUNET_HashCode * in,
1119              int32_t mingle_number, 
1120              GNUNET_HashCode * hc)
1121 {
1122   GNUNET_HashCode m;
1123
1124   GNUNET_CRYPTO_hash (&mingle_number, 
1125                       sizeof (int32_t), 
1126                       &m);
1127   GNUNET_CRYPTO_hash_xor (&m, in, hc);
1128 }
1129
1130
1131 /**
1132  * Test if the load on this peer is too high
1133  * to even consider processing the query at
1134  * all.
1135  * 
1136  * @return GNUNET_YES if the load is too high, GNUNET_NO otherwise
1137  */
1138 static int
1139 test_load_too_high ()
1140 {
1141   return GNUNET_NO; // FIXME
1142 }
1143
1144
1145 /* ******************* Pending Request Refresh Task ******************** */
1146
1147
1148
1149 /**
1150  * We use a random delay to make the timing of requests less
1151  * predictable.  This function returns such a random delay.  We add a base
1152  * delay of MAX_CORK_DELAY (1s).
1153  *
1154  * FIXME: make schedule dependent on the specifics of the request?
1155  * Or bandwidth and number of connected peers and load?
1156  *
1157  * @return random delay to use for some request, between 1s and 1000+TTL_DECREMENT ms
1158  */
1159 static struct GNUNET_TIME_Relative
1160 get_processing_delay ()
1161 {
1162   return 
1163     GNUNET_TIME_relative_add (GNUNET_CONSTANTS_MAX_CORK_DELAY,
1164                               GNUNET_TIME_relative_multiply (GNUNET_TIME_UNIT_MILLISECONDS,
1165                                                              GNUNET_CRYPTO_random_u32 (GNUNET_CRYPTO_QUALITY_WEAK,
1166                                                                                        TTL_DECREMENT)));
1167 }
1168
1169
1170 /**
1171  * We're processing a GET request from another peer and have decided
1172  * to forward it to other peers.  This function is called periodically
1173  * and should forward the request to other peers until we have all
1174  * possible replies.  If we have transmitted the *only* reply to
1175  * the initiator we should destroy the pending request.  If we have
1176  * many replies in the queue to the initiator, we should delay sending
1177  * out more queries until the reply queue has shrunk some.
1178  *
1179  * @param cls our "struct ProcessGetContext *"
1180  * @param tc unused
1181  */
1182 static void
1183 forward_request_task (void *cls,
1184                       const struct GNUNET_SCHEDULER_TaskContext *tc);
1185
1186
1187 /**
1188  * Function called after we either failed or succeeded
1189  * at transmitting a query to a peer.  
1190  *
1191  * @param cls the requests "struct PendingRequest*"
1192  * @param tpid ID of receiving peer, 0 on transmission error
1193  */
1194 static void
1195 transmit_query_continuation (void *cls,
1196                              GNUNET_PEER_Id tpid)
1197 {
1198   struct PendingRequest *pr = cls;
1199
1200   if (tpid == 0)   
1201     {
1202 #if DEBUG_FS
1203       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1204                   "Transmission of request failed, will try again later.\n");
1205 #endif
1206       if (pr->task == GNUNET_SCHEDULER_NO_TASK)
1207         pr->task = GNUNET_SCHEDULER_add_delayed (sched,
1208                                                  get_processing_delay (),
1209                                                  &forward_request_task,
1210                                                  pr); 
1211       return;    
1212     }
1213   GNUNET_STATISTICS_update (stats,
1214                             gettext_noop ("# queries forwarded"),
1215                             1,
1216                             GNUNET_NO);
1217   GNUNET_PEER_change_rc (tpid, 1);
1218   if (pr->used_pids_off == pr->used_pids_size)
1219     GNUNET_array_grow (pr->used_pids,
1220                        pr->used_pids_size,
1221                        pr->used_pids_size * 2 + 2);
1222   pr->used_pids[pr->used_pids_off++] = tpid;
1223   if (pr->task == GNUNET_SCHEDULER_NO_TASK)
1224     pr->task = GNUNET_SCHEDULER_add_delayed (sched,
1225                                              get_processing_delay (),
1226                                              &forward_request_task,
1227                                              pr);
1228 }
1229
1230
1231 /**
1232  * How many bytes should a bloomfilter be if we have already seen
1233  * entry_count responses?  Note that BLOOMFILTER_K gives us the number
1234  * of bits set per entry.  Furthermore, we should not re-size the
1235  * filter too often (to keep it cheap).
1236  *
1237  * Since other peers will also add entries but not resize the filter,
1238  * we should generally pick a slightly larger size than what the
1239  * strict math would suggest.
1240  *
1241  * @return must be a power of two and smaller or equal to 2^15.
1242  */
1243 static size_t
1244 compute_bloomfilter_size (unsigned int entry_count)
1245 {
1246   size_t size;
1247   unsigned int ideal = (entry_count * BLOOMFILTER_K) / 4;
1248   uint16_t max = 1 << 15;
1249
1250   if (entry_count > max)
1251     return max;
1252   size = 8;
1253   while ((size < max) && (size < ideal))
1254     size *= 2;
1255   if (size > max)
1256     return max;
1257   return size;
1258 }
1259
1260
1261 /**
1262  * Recalculate our bloom filter for filtering replies.
1263  *
1264  * @param count number of entries we are filtering right now
1265  * @param mingle set to our new mingling value
1266  * @param bf_size set to the size of the bloomfilter
1267  * @param entries the entries to filter
1268  * @return updated bloomfilter, NULL for none
1269  */
1270 static struct GNUNET_CONTAINER_BloomFilter *
1271 refresh_bloomfilter (unsigned int count,
1272                      int32_t * mingle,
1273                      size_t *bf_size,
1274                      const GNUNET_HashCode *entries)
1275 {
1276   struct GNUNET_CONTAINER_BloomFilter *bf;
1277   size_t nsize;
1278   unsigned int i;
1279   GNUNET_HashCode mhash;
1280
1281   if (0 == count)
1282     return NULL;
1283   nsize = compute_bloomfilter_size (count);
1284   *mingle = GNUNET_CRYPTO_random_u32 (GNUNET_CRYPTO_QUALITY_WEAK, -1);
1285   *bf_size = nsize;
1286   bf = GNUNET_CONTAINER_bloomfilter_init (NULL, 
1287                                           nsize,
1288                                           BLOOMFILTER_K);
1289   for (i=0;i<count;i++)
1290     {
1291       mingle_hash (&entries[i], *mingle, &mhash);
1292       GNUNET_CONTAINER_bloomfilter_add (bf, &mhash);
1293     }
1294   return bf;
1295 }
1296
1297
1298 /**
1299  * Function called after we've tried to reserve a certain amount of
1300  * bandwidth for a reply.  Check if we succeeded and if so send our
1301  * query.
1302  *
1303  * @param cls the requests "struct PendingRequest*"
1304  * @param peer identifies the peer
1305  * @param bpm_in set to the current bandwidth limit (receiving) for this peer
1306  * @param bpm_out set to the current bandwidth limit (sending) for this peer
1307  * @param amount set to the amount that was actually reserved or unreserved
1308  * @param preference current traffic preference for the given peer
1309  */
1310 static void
1311 target_reservation_cb (void *cls,
1312                        const struct
1313                        GNUNET_PeerIdentity * peer,
1314                        struct GNUNET_BANDWIDTH_Value32NBO bpm_in,
1315                        struct GNUNET_BANDWIDTH_Value32NBO bpm_out,
1316                        int amount,
1317                        uint64_t preference)
1318 {
1319   struct PendingRequest *pr = cls;
1320   struct ConnectedPeer *cp;
1321   struct PendingMessage *pm;
1322   struct GetMessage *gm;
1323   GNUNET_HashCode *ext;
1324   char *bfdata;
1325   size_t msize;
1326   unsigned int k;
1327   int no_route;
1328   uint32_t bm;
1329
1330   pr->irc = NULL;
1331   if (peer == NULL)
1332     {
1333       /* error in communication with core, try again later */
1334       if (pr->task == GNUNET_SCHEDULER_NO_TASK)
1335         pr->task = GNUNET_SCHEDULER_add_delayed (sched,
1336                                                  get_processing_delay (),
1337                                                  &forward_request_task,
1338                                                  pr);
1339       return;
1340     }
1341   // (3) transmit, update ttl/priority
1342   cp = GNUNET_CONTAINER_multihashmap_get (connected_peers,
1343                                           &peer->hashPubKey);
1344   if (cp == NULL)
1345     {
1346       /* Peer must have just left */
1347 #if DEBUG_FS
1348       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1349                   "Selected peer disconnected!\n");
1350 #endif
1351       if (pr->task == GNUNET_SCHEDULER_NO_TASK)
1352         pr->task = GNUNET_SCHEDULER_add_delayed (sched,
1353                                                  get_processing_delay (),
1354                                                  &forward_request_task,
1355                                                  pr);
1356       return;
1357     }
1358   no_route = GNUNET_NO;
1359   /* FIXME: check against DBLOCK_SIZE and possibly return
1360      amount to reserve; however, this also needs to work
1361      with testcases which currently start out with a far
1362      too low per-peer bw limit, so they would never send
1363      anything.  Big issue. */
1364   if (amount == 0)
1365     {
1366       if (pr->cp == NULL)
1367         {
1368 #if DEBUG_FS > 1
1369           GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1370                       "Failed to reserve bandwidth for reply (got %d/%u bytes only)!\n",
1371                       amount,
1372                       DBLOCK_SIZE);
1373 #endif
1374           GNUNET_STATISTICS_update (stats,
1375                                     gettext_noop ("# reply bandwidth reservation requests failed"),
1376                                     1,
1377                                     GNUNET_NO);
1378           if (pr->task == GNUNET_SCHEDULER_NO_TASK)
1379             pr->task = GNUNET_SCHEDULER_add_delayed (sched,
1380                                                      get_processing_delay (),
1381                                                      &forward_request_task,
1382                                                      pr);
1383           return;  /* this target round failed */
1384         }
1385       /* FIXME: if we are "quite" busy, we may still want to skip
1386          this round; need more load detection code! */
1387       no_route = GNUNET_YES;
1388     }
1389   
1390   GNUNET_STATISTICS_update (stats,
1391                             gettext_noop ("# requests forwarded"),
1392                             1,
1393                             GNUNET_NO);
1394   /* build message and insert message into priority queue */
1395 #if DEBUG_FS
1396   GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1397               "Forwarding request `%s' to `%4s'!\n",
1398               GNUNET_h2s (&pr->query),
1399               GNUNET_i2s (peer));
1400 #endif
1401   k = 0;
1402   bm = 0;
1403   if (GNUNET_YES == no_route)
1404     {
1405       bm |= GET_MESSAGE_BIT_RETURN_TO;
1406       k++;      
1407     }
1408   if (pr->namespace != NULL)
1409     {
1410       bm |= GET_MESSAGE_BIT_SKS_NAMESPACE;
1411       k++;
1412     }
1413   if (pr->target_pid != 0)
1414     {
1415       bm |= GET_MESSAGE_BIT_TRANSMIT_TO;
1416       k++;
1417     }
1418   msize = sizeof (struct GetMessage) + pr->bf_size + k * sizeof(GNUNET_HashCode);
1419   GNUNET_assert (msize < GNUNET_SERVER_MAX_MESSAGE_SIZE);
1420   pm = GNUNET_malloc (sizeof (struct PendingMessage) + msize);
1421   pm->msize = msize;
1422   gm = (struct GetMessage*) &pm[1];
1423   gm->header.type = htons (GNUNET_MESSAGE_TYPE_FS_GET);
1424   gm->header.size = htons (msize);
1425   gm->type = htonl (pr->type);
1426   pr->remaining_priority /= 2;
1427   gm->priority = htonl (pr->remaining_priority);
1428   gm->ttl = htonl (pr->ttl);
1429   gm->filter_mutator = htonl(pr->mingle); 
1430   gm->hash_bitmap = htonl (bm);
1431   gm->query = pr->query;
1432   ext = (GNUNET_HashCode*) &gm[1];
1433   k = 0;
1434   if (GNUNET_YES == no_route)
1435     GNUNET_PEER_resolve (pr->cp->pid, (struct GNUNET_PeerIdentity*) &ext[k++]);
1436   if (pr->namespace != NULL)
1437     memcpy (&ext[k++], pr->namespace, sizeof (GNUNET_HashCode));
1438   if (pr->target_pid != 0)
1439     GNUNET_PEER_resolve (pr->target_pid, (struct GNUNET_PeerIdentity*) &ext[k++]);
1440   bfdata = (char *) &ext[k];
1441   if (pr->bf != NULL)
1442     GNUNET_CONTAINER_bloomfilter_get_raw_data (pr->bf,
1443                                                bfdata,
1444                                                pr->bf_size);
1445   pm->cont = &transmit_query_continuation;
1446   pm->cont_cls = pr;
1447   add_to_pending_messages_for_peer (cp, pm, pr);
1448 }
1449
1450
1451 /**
1452  * Closure used for "target_peer_select_cb".
1453  */
1454 struct PeerSelectionContext 
1455 {
1456   /**
1457    * The request for which we are selecting
1458    * peers.
1459    */
1460   struct PendingRequest *pr;
1461
1462   /**
1463    * Current "prime" target.
1464    */
1465   struct GNUNET_PeerIdentity target;
1466
1467   /**
1468    * How much do we like this target?
1469    */
1470   double target_score;
1471
1472 };
1473
1474
1475 /**
1476  * Function called for each connected peer to determine
1477  * which one(s) would make good targets for forwarding.
1478  *
1479  * @param cls closure (struct PeerSelectionContext)
1480  * @param key current key code (peer identity)
1481  * @param value value in the hash map (struct ConnectedPeer)
1482  * @return GNUNET_YES if we should continue to
1483  *         iterate,
1484  *         GNUNET_NO if not.
1485  */
1486 static int
1487 target_peer_select_cb (void *cls,
1488                        const GNUNET_HashCode * key,
1489                        void *value)
1490 {
1491   struct PeerSelectionContext *psc = cls;
1492   struct ConnectedPeer *cp = value;
1493   struct PendingRequest *pr = psc->pr;
1494   double score;
1495   unsigned int i;
1496   unsigned int pc;
1497   
1498   /* 1) check if we have already (recently) forwarded to this peer */
1499   pc = 0;
1500   for (i=0;i<pr->used_pids_off;i++)
1501     if (pr->used_pids[i] == cp->pid) 
1502       {
1503         pc++;
1504         if (0 != GNUNET_CRYPTO_random_u32 (GNUNET_CRYPTO_QUALITY_WEAK,
1505                                            RETRY_PROBABILITY_INV))
1506           {
1507 #if DEBUG_FS
1508             GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1509                         "NOT re-trying query that was previously transmitted %u times\n",
1510                         (unsigned int) pr->used_pids_off);
1511 #endif
1512             return GNUNET_YES; /* skip */
1513           }
1514       }
1515 #if DEBUG_FS
1516   if (0 < pc)
1517     GNUNET_log (GNUNET_ERROR_TYPE_INFO,
1518                 "Re-trying query that was previously transmitted %u times to this peer\n",
1519                 (unsigned int) pc);
1520 #endif
1521   // 2) calculate how much we'd like to forward to this peer
1522   score = 42; // FIXME!
1523   // FIXME: also need API to gather data on responsiveness
1524   // of this peer (we have fields for that in 'cp', but
1525   // they are never set!)
1526   
1527   /* store best-fit in closure */
1528   if (score > psc->target_score)
1529     {
1530       psc->target_score = score;
1531       psc->target.hashPubKey = *key; 
1532     }
1533   return GNUNET_YES;
1534 }
1535   
1536
1537 /**
1538  * We're processing a GET request from another peer and have decided
1539  * to forward it to other peers.  This function is called periodically
1540  * and should forward the request to other peers until we have all
1541  * possible replies.  If we have transmitted the *only* reply to
1542  * the initiator we should destroy the pending request.  If we have
1543  * many replies in the queue to the initiator, we should delay sending
1544  * out more queries until the reply queue has shrunk some.
1545  *
1546  * @param cls our "struct ProcessGetContext *"
1547  * @param tc unused
1548  */
1549 static void
1550 forward_request_task (void *cls,
1551                      const struct GNUNET_SCHEDULER_TaskContext *tc)
1552 {
1553   struct PendingRequest *pr = cls;
1554   struct PeerSelectionContext psc;
1555   struct ConnectedPeer *cp; 
1556   struct GNUNET_TIME_Relative delay;
1557
1558   pr->task = GNUNET_SCHEDULER_NO_TASK;
1559   if (pr->irc != NULL)
1560     {
1561 #if DEBUG_FS
1562       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1563                   "Forwarding of query `%s' not attempted due to pending local lookup!\n",
1564                   GNUNET_h2s (&pr->query));
1565 #endif
1566       return; /* already pending */
1567     }
1568   /* (1) select target */
1569   psc.pr = pr;
1570   psc.target_score = DBL_MIN;
1571   GNUNET_CONTAINER_multihashmap_iterate (connected_peers,
1572                                          &target_peer_select_cb,
1573                                          &psc);  
1574   if (psc.target_score == DBL_MIN)
1575     {
1576       delay = get_processing_delay ();
1577 #if DEBUG_FS 
1578       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1579                   "No peer selected for forwarding of query `%s', will try again in %llu ms!\n",
1580                   GNUNET_h2s (&pr->query),
1581                   delay.value);
1582 #endif
1583       pr->task = GNUNET_SCHEDULER_add_delayed (sched,
1584                                                delay,
1585                                                &forward_request_task,
1586                                                pr);
1587       return; /* nobody selected */
1588     }
1589
1590   /* (2) reserve reply bandwidth */
1591   cp = GNUNET_CONTAINER_multihashmap_get (connected_peers,
1592                                           &psc.target.hashPubKey);
1593   pr->irc = GNUNET_CORE_peer_change_preference (sched, cfg,
1594                                                 &psc.target,
1595                                                 GNUNET_CONSTANTS_SERVICE_TIMEOUT, 
1596                                                 GNUNET_BANDWIDTH_value_init ((uint32_t) -1 /* no limit */), 
1597                                                 DBLOCK_SIZE * 2, 
1598                                                 (uint64_t) cp->inc_preference,
1599                                                 &target_reservation_cb,
1600                                                 pr);
1601   cp->inc_preference = 0.0;
1602 }
1603
1604
1605 /* **************************** P2P PUT Handling ************************ */
1606
1607
1608 /**
1609  * Function called after we either failed or succeeded
1610  * at transmitting a reply to a peer.  
1611  *
1612  * @param cls the requests "struct PendingRequest*"
1613  * @param tpid ID of receiving peer, 0 on transmission error
1614  */
1615 static void
1616 transmit_reply_continuation (void *cls,
1617                              GNUNET_PEER_Id tpid)
1618 {
1619   struct PendingRequest *pr = cls;
1620   
1621   switch (pr->type)
1622     {
1623     case GNUNET_DATASTORE_BLOCKTYPE_DBLOCK:
1624     case GNUNET_DATASTORE_BLOCKTYPE_IBLOCK:
1625       /* only one reply expected, done with the request! */
1626       destroy_pending_request (pr);
1627       break;
1628     case GNUNET_DATASTORE_BLOCKTYPE_ANY:
1629     case GNUNET_DATASTORE_BLOCKTYPE_KBLOCK:
1630     case GNUNET_DATASTORE_BLOCKTYPE_SBLOCK:
1631       break;
1632     default:
1633       GNUNET_break (0);
1634       break;
1635     }
1636 }
1637
1638
1639 /**
1640  * Check if the given KBlock is well-formed.
1641  *
1642  * @param kb the kblock data (or at least "dsize" bytes claiming to be one)
1643  * @param dsize size of "kb" in bytes; check for < sizeof(struct KBlock)!
1644  * @param query where to store the query that this block answers
1645  * @return GNUNET_OK if this is actually a well-formed KBlock
1646  */
1647 static int
1648 check_kblock (const struct KBlock *kb,
1649               size_t dsize,
1650               GNUNET_HashCode *query)
1651 {
1652   if (dsize < sizeof (struct KBlock))
1653     {
1654       GNUNET_break_op (0);
1655       return GNUNET_SYSERR;
1656     }
1657   if (dsize - sizeof (struct KBlock) !=
1658       ntohl (kb->purpose.size) 
1659       - sizeof (struct GNUNET_CRYPTO_RsaSignaturePurpose) 
1660       - sizeof (struct GNUNET_CRYPTO_RsaPublicKeyBinaryEncoded) ) 
1661     {
1662       GNUNET_break_op (0);
1663       return GNUNET_SYSERR;
1664     }
1665   if (GNUNET_OK !=
1666       GNUNET_CRYPTO_rsa_verify (GNUNET_SIGNATURE_PURPOSE_FS_KBLOCK,
1667                                 &kb->purpose,
1668                                 &kb->signature,
1669                                 &kb->keyspace)) 
1670     {
1671       GNUNET_break_op (0);
1672       return GNUNET_SYSERR;
1673     }
1674   if (query != NULL)
1675     GNUNET_CRYPTO_hash (&kb->keyspace,
1676                         sizeof (struct GNUNET_CRYPTO_RsaPublicKeyBinaryEncoded),
1677                         query);
1678   return GNUNET_OK;
1679 }
1680
1681
1682 /**
1683  * Check if the given NBlock is well-formed.
1684  *
1685  * @param nb the nblock data (or at least "dsize" bytes claiming to be one)
1686  * @param dsize size of "nb" in bytes; check for < sizeof(struct NBlock)!
1687  * @param query where to store the query that this block answers
1688  * @return GNUNET_OK if this is actually a well-formed NBlock
1689  */
1690 static int
1691 check_nblock (const struct NBlock *nb,
1692               size_t dsize,
1693               GNUNET_HashCode *query)
1694 {
1695   if (dsize < sizeof (struct NBlock))
1696     {
1697       GNUNET_break_op (0);
1698       return GNUNET_SYSERR;
1699     }
1700   if (dsize - sizeof (struct NBlock) !=
1701       ntohl (nb->ns_purpose.size) 
1702       - sizeof (struct GNUNET_CRYPTO_RsaSignaturePurpose) 
1703       - sizeof (struct GNUNET_CRYPTO_RsaPublicKeyBinaryEncoded) ) 
1704     {
1705       GNUNET_break_op (0);
1706       return GNUNET_SYSERR;
1707     }
1708   if (dsize !=
1709       ntohl (nb->ksk_purpose.size) + sizeof (struct GNUNET_CRYPTO_RsaSignature))
1710     {
1711       GNUNET_break_op (0);
1712       return GNUNET_SYSERR;
1713     }
1714   if (GNUNET_OK !=
1715       GNUNET_CRYPTO_rsa_verify (GNUNET_SIGNATURE_PURPOSE_FS_NBLOCK_KSIG,
1716                                 &nb->ksk_purpose,
1717                                 &nb->ksk_signature,
1718                                 &nb->keyspace)) 
1719     {
1720       GNUNET_break_op (0);
1721       return GNUNET_SYSERR;
1722     }
1723   if (GNUNET_OK !=
1724       GNUNET_CRYPTO_rsa_verify (GNUNET_SIGNATURE_PURPOSE_FS_NBLOCK,
1725                                 &nb->ns_purpose,
1726                                 &nb->ns_signature,
1727                                 &nb->subspace)) 
1728     {
1729       GNUNET_break_op (0);
1730       return GNUNET_SYSERR;
1731     }
1732   if (query != NULL)
1733     GNUNET_CRYPTO_hash (&nb->keyspace,
1734                         sizeof (struct GNUNET_CRYPTO_RsaPublicKeyBinaryEncoded),
1735                         query);
1736   return GNUNET_OK;
1737 }
1738
1739
1740 /**
1741  * Check if the given SBlock is well-formed.
1742  *
1743  * @param sb the sblock data (or at least "dsize" bytes claiming to be one)
1744  * @param dsize size of "kb" in bytes; check for < sizeof(struct SBlock)!
1745  * @param query where to store the query that this block answers
1746  * @param namespace where to store the namespace that this block belongs to
1747  * @return GNUNET_OK if this is actually a well-formed SBlock
1748  */
1749 static int
1750 check_sblock (const struct SBlock *sb,
1751               size_t dsize,
1752               GNUNET_HashCode *query,   
1753               GNUNET_HashCode *namespace)
1754 {
1755   if (dsize < sizeof (struct SBlock))
1756     {
1757       GNUNET_break_op (0);
1758       return GNUNET_SYSERR;
1759     }
1760   if (dsize !=
1761       ntohl (sb->purpose.size) + sizeof (struct GNUNET_CRYPTO_RsaSignature))
1762     {
1763       GNUNET_break_op (0);
1764       return GNUNET_SYSERR;
1765     }
1766   if (GNUNET_OK !=
1767       GNUNET_CRYPTO_rsa_verify (GNUNET_SIGNATURE_PURPOSE_FS_SBLOCK,
1768                                 &sb->purpose,
1769                                 &sb->signature,
1770                                 &sb->subspace)) 
1771     {
1772       GNUNET_break_op (0);
1773       return GNUNET_SYSERR;
1774     }
1775   if (query != NULL)
1776     *query = sb->identifier;
1777   if (namespace != NULL)
1778     GNUNET_CRYPTO_hash (&sb->subspace,
1779                         sizeof (struct GNUNET_CRYPTO_RsaPublicKeyBinaryEncoded),
1780                         namespace);
1781   return GNUNET_OK;
1782 }
1783
1784
1785 /**
1786  * Transmit the given message by copying it to the target buffer
1787  * "buf".  "buf" will be NULL and "size" zero if the socket was closed
1788  * for writing in the meantime.  In that case, do nothing
1789  * (the disconnect or shutdown handler will take care of the rest).
1790  * If we were able to transmit messages and there are still more
1791  * pending, ask core again for further calls to this function.
1792  *
1793  * @param cls closure, pointer to the 'struct ClientList*'
1794  * @param size number of bytes available in buf
1795  * @param buf where the callee should write the message
1796  * @return number of bytes written to buf
1797  */
1798 static size_t
1799 transmit_to_client (void *cls,
1800                   size_t size, void *buf)
1801 {
1802   struct ClientList *cl = cls;
1803   char *cbuf = buf;
1804   struct ClientResponseMessage *creply;
1805   size_t msize;
1806   
1807   cl->th = NULL;
1808   if (NULL == buf)
1809     {
1810 #if DEBUG_FS
1811       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1812                   "Not sending reply, client communication problem.\n");
1813 #endif
1814       return 0;
1815     }
1816   msize = 0;
1817   while ( (NULL != (creply = cl->res_head) ) &&
1818           (creply->msize <= size) )
1819     {
1820       memcpy (&cbuf[msize], &creply[1], creply->msize);
1821       msize += creply->msize;
1822       size -= creply->msize;
1823       GNUNET_CONTAINER_DLL_remove (cl->res_head,
1824                                    cl->res_tail,
1825                                    creply);
1826       GNUNET_free (creply);
1827     }
1828   if (NULL != creply)
1829     cl->th = GNUNET_SERVER_notify_transmit_ready (cl->client,
1830                                                   creply->msize,
1831                                                   GNUNET_TIME_UNIT_FOREVER_REL,
1832                                                   &transmit_to_client,
1833                                                   cl);
1834 #if DEBUG_FS
1835   GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1836               "Transmitted %u bytes to client\n",
1837               (unsigned int) msize);
1838 #endif
1839   return msize;
1840 }
1841
1842
1843 /**
1844  * Closure for "process_reply" function.
1845  */
1846 struct ProcessReplyClosure
1847 {
1848   /**
1849    * The data for the reply.
1850    */
1851   const void *data;
1852
1853   // FIXME: add 'struct ConnectedPeer' to track 'last_xxx_replies' here!
1854
1855   /**
1856    * When the reply expires.
1857    */
1858   struct GNUNET_TIME_Absolute expiration;
1859
1860   /**
1861    * Size of data.
1862    */
1863   size_t size;
1864
1865   /**
1866    * Namespace that this reply belongs to
1867    * (if it is of type SBLOCK).
1868    */
1869   GNUNET_HashCode namespace;
1870
1871   /**
1872    * Type of the block.
1873    */
1874   uint32_t type;
1875
1876   /**
1877    * How much was this reply worth to us?
1878    */
1879   uint32_t priority;
1880 };
1881
1882
1883 /**
1884  * We have received a reply; handle it!
1885  *
1886  * @param cls response (struct ProcessReplyClosure)
1887  * @param key our query
1888  * @param value value in the hash map (info about the query)
1889  * @return GNUNET_YES (we should continue to iterate)
1890  */
1891 static int
1892 process_reply (void *cls,
1893                const GNUNET_HashCode * key,
1894                void *value)
1895 {
1896   struct ProcessReplyClosure *prq = cls;
1897   struct PendingRequest *pr = value;
1898   struct PendingMessage *reply;
1899   struct ClientResponseMessage *creply;
1900   struct ClientList *cl;
1901   struct PutMessage *pm;
1902   struct ConnectedPeer *cp;
1903   GNUNET_HashCode chash;
1904   GNUNET_HashCode mhash;
1905   size_t msize;
1906
1907 #if DEBUG_FS
1908   GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1909               "Matched result (type %u) for query `%s' with pending request\n",
1910               (unsigned int) prq->type,
1911               GNUNET_h2s (key));
1912 #endif  
1913   GNUNET_STATISTICS_update (stats,
1914                             gettext_noop ("# replies received and matched"),
1915                             1,
1916                             GNUNET_NO);
1917   GNUNET_CRYPTO_hash (prq->data,
1918                       prq->size,
1919                       &chash);
1920   switch (prq->type)
1921     {
1922     case GNUNET_DATASTORE_BLOCKTYPE_DBLOCK:
1923     case GNUNET_DATASTORE_BLOCKTYPE_IBLOCK:
1924       /* only possible reply, stop requesting! */
1925       while (NULL != pr->pending_head)
1926         destroy_pending_message_list_entry (pr->pending_head);
1927       if (pr->drq != NULL)
1928         {
1929           if (pr->client_request_list != NULL)
1930             GNUNET_SERVER_receive_done (pr->client_request_list->client_list->client, 
1931                                         GNUNET_YES);
1932           GNUNET_FS_drq_get_cancel (pr->drq);
1933           pr->drq = NULL;
1934         }
1935       pr->do_remove = GNUNET_YES;
1936       if (pr->task != GNUNET_SCHEDULER_NO_TASK)
1937         {
1938           GNUNET_SCHEDULER_cancel (sched,
1939                                    pr->task);
1940           pr->task = GNUNET_SCHEDULER_NO_TASK;
1941         }
1942       GNUNET_break (GNUNET_YES ==
1943                     GNUNET_CONTAINER_multihashmap_remove (query_request_map,
1944                                                           key,
1945                                                           pr));
1946       break;
1947     case GNUNET_DATASTORE_BLOCKTYPE_SBLOCK:
1948       if (pr->namespace == NULL)
1949         {
1950           GNUNET_break (0);
1951           return GNUNET_YES;
1952         }
1953       if (0 != memcmp (pr->namespace,
1954                        &prq->namespace,
1955                        sizeof (GNUNET_HashCode)))
1956         {
1957           GNUNET_log (GNUNET_ERROR_TYPE_WARNING,
1958                       _("Reply mismatched in terms of namespace.  Discarded.\n"));
1959           return GNUNET_YES; /* wrong namespace */      
1960         }
1961       /* then: fall-through! */
1962     case GNUNET_DATASTORE_BLOCKTYPE_KBLOCK:
1963     case GNUNET_DATASTORE_BLOCKTYPE_NBLOCK:
1964       if (pr->bf != NULL) 
1965         {
1966           mingle_hash (&chash, pr->mingle, &mhash);
1967           if (GNUNET_YES == GNUNET_CONTAINER_bloomfilter_test (pr->bf,
1968                                                                &mhash))
1969             {
1970               GNUNET_STATISTICS_update (stats,
1971                                         gettext_noop ("# duplicate replies discarded (bloomfilter)"),
1972                                         1,
1973                                         GNUNET_NO);
1974 #if DEBUG_FS
1975               GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1976                           "Duplicate response `%s', discarding.\n",
1977                           GNUNET_h2s (&mhash));
1978 #endif
1979               return GNUNET_YES; /* duplicate */
1980             }
1981 #if DEBUG_FS
1982           GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
1983                       "New response `%s', adding to filter.\n",
1984                       GNUNET_h2s (&mhash));
1985 #endif
1986           GNUNET_CONTAINER_bloomfilter_add (pr->bf,
1987                                             &mhash);
1988         }
1989       if (pr->client_request_list != NULL)
1990         {
1991           if (pr->replies_seen_size == pr->replies_seen_off)
1992             {
1993               GNUNET_array_grow (pr->replies_seen,
1994                                  pr->replies_seen_size,
1995                                  pr->replies_seen_size * 2 + 4);
1996               if (pr->bf != NULL)
1997                 GNUNET_CONTAINER_bloomfilter_free (pr->bf);
1998               pr->bf = refresh_bloomfilter (pr->replies_seen_off,
1999                                             &pr->mingle,
2000                                             &pr->bf_size,
2001                                             pr->replies_seen);
2002             }
2003             pr->replies_seen[pr->replies_seen_off++] = chash;         
2004         }
2005       break;
2006     default:
2007       GNUNET_break (0);
2008       return GNUNET_YES;
2009     }
2010   prq->priority += pr->remaining_priority;
2011   pr->remaining_priority = 0;
2012   if (pr->client_request_list != NULL)
2013     {
2014       GNUNET_STATISTICS_update (stats,
2015                                 gettext_noop ("# replies received for local clients"),
2016                                 1,
2017                                 GNUNET_NO);
2018       cl = pr->client_request_list->client_list;
2019       msize = sizeof (struct PutMessage) + prq->size;
2020       creply = GNUNET_malloc (msize + sizeof (struct ClientResponseMessage));
2021       creply->msize = msize;
2022       creply->client_list = cl;
2023       GNUNET_CONTAINER_DLL_insert_after (cl->res_head,
2024                                          cl->res_tail,
2025                                          cl->res_tail,
2026                                          creply);      
2027       pm = (struct PutMessage*) &creply[1];
2028       pm->header.type = htons (GNUNET_MESSAGE_TYPE_FS_PUT);
2029       pm->header.size = htons (msize);
2030       pm->type = htonl (prq->type);
2031       pm->expiration = GNUNET_TIME_absolute_hton (prq->expiration);
2032       memcpy (&pm[1], prq->data, prq->size);      
2033       if (NULL == cl->th)
2034         {
2035 #if DEBUG_FS
2036           GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2037                       "Transmitting result for query `%s' to client\n",
2038                       GNUNET_h2s (key));
2039 #endif  
2040           cl->th = GNUNET_SERVER_notify_transmit_ready (cl->client,
2041                                                         msize,
2042                                                         GNUNET_TIME_UNIT_FOREVER_REL,
2043                                                         &transmit_to_client,
2044                                                         cl);
2045         }
2046       GNUNET_break (cl->th != NULL);
2047       if (pr->do_remove)                
2048         destroy_pending_request (pr);           
2049     }
2050   else
2051     {
2052       cp = pr->cp;
2053 #if DEBUG_FS
2054       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2055                   "Transmitting result for query `%s' to other peer (PID=%u)\n",
2056                   GNUNET_h2s (key),
2057                   (unsigned int) cp->pid);
2058 #endif  
2059       GNUNET_STATISTICS_update (stats,
2060                                 gettext_noop ("# replies received for other peers"),
2061                                 1,
2062                                 GNUNET_NO);
2063       msize = sizeof (struct PutMessage) + prq->size;
2064       reply = GNUNET_malloc (msize + sizeof (struct PendingMessage));
2065       reply->cont = &transmit_reply_continuation;
2066       reply->cont_cls = pr;
2067       reply->msize = msize;
2068       reply->priority = (uint32_t) -1; /* send replies first! */
2069       pm = (struct PutMessage*) &reply[1];
2070       pm->header.type = htons (GNUNET_MESSAGE_TYPE_FS_PUT);
2071       pm->header.size = htons (msize);
2072       pm->type = htonl (prq->type);
2073       pm->expiration = GNUNET_TIME_absolute_hton (prq->expiration);
2074       memcpy (&pm[1], prq->data, prq->size);
2075       add_to_pending_messages_for_peer (cp, reply, pr);
2076     }
2077   // FIXME: implement hot-path routing statistics keeping!
2078   return GNUNET_YES;
2079 }
2080
2081
2082 /**
2083  * Handle P2P "PUT" message.
2084  *
2085  * @param cls closure, always NULL
2086  * @param other the other peer involved (sender or receiver, NULL
2087  *        for loopback messages where we are both sender and receiver)
2088  * @param message the actual message
2089  * @param latency reported latency of the connection with 'other'
2090  * @param distance reported distance (DV) to 'other' 
2091  * @return GNUNET_OK to keep the connection open,
2092  *         GNUNET_SYSERR to close it (signal serious error)
2093  */
2094 static int
2095 handle_p2p_put (void *cls,
2096                 const struct GNUNET_PeerIdentity *other,
2097                 const struct GNUNET_MessageHeader *message,
2098                 struct GNUNET_TIME_Relative latency,
2099                 uint32_t distance)
2100 {
2101   const struct PutMessage *put;
2102   uint16_t msize;
2103   size_t dsize;
2104   uint32_t type;
2105   struct GNUNET_TIME_Absolute expiration;
2106   GNUNET_HashCode query;
2107   struct ProcessReplyClosure prq;
2108
2109   msize = ntohs (message->size);
2110   if (msize < sizeof (struct PutMessage))
2111     {
2112       GNUNET_break_op(0);
2113       return GNUNET_SYSERR;
2114     }
2115   put = (const struct PutMessage*) message;
2116   dsize = msize - sizeof (struct PutMessage);
2117   type = ntohl (put->type);
2118   expiration = GNUNET_TIME_absolute_ntoh (put->expiration);
2119
2120   /* first, validate! */
2121   switch (type)
2122     {
2123     case GNUNET_DATASTORE_BLOCKTYPE_DBLOCK:
2124     case GNUNET_DATASTORE_BLOCKTYPE_IBLOCK:
2125       GNUNET_CRYPTO_hash (&put[1], dsize, &query);
2126       break;
2127     case GNUNET_DATASTORE_BLOCKTYPE_KBLOCK:
2128       if (GNUNET_OK !=
2129           check_kblock ((const struct KBlock*) &put[1],
2130                         dsize,
2131                         &query))
2132         return GNUNET_SYSERR;
2133       break;
2134     case GNUNET_DATASTORE_BLOCKTYPE_SBLOCK:
2135       if (GNUNET_OK !=
2136           check_sblock ((const struct SBlock*) &put[1],
2137                         dsize,
2138                         &query,
2139                         &prq.namespace))
2140         return GNUNET_SYSERR;
2141       break;
2142     case GNUNET_DATASTORE_BLOCKTYPE_NBLOCK:
2143       if (GNUNET_OK !=
2144           check_nblock ((const struct NBlock*) &put[1],
2145                         dsize,
2146                         &query))
2147         return GNUNET_SYSERR;
2148       return GNUNET_OK;
2149     default:
2150       /* unknown block type */
2151       GNUNET_break_op (0);
2152       return GNUNET_SYSERR;
2153     }
2154
2155 #if DEBUG_FS
2156   GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2157               "Received result for query `%s' from peer `%4s'\n",
2158               GNUNET_h2s (&query),
2159               GNUNET_i2s (other));
2160 #endif
2161   GNUNET_STATISTICS_update (stats,
2162                             gettext_noop ("# replies received (overall)"),
2163                             1,
2164                             GNUNET_NO);
2165   /* now, lookup 'query' */
2166   prq.data = (const void*) &put[1];
2167   prq.size = dsize;
2168   prq.type = type;
2169   prq.expiration = expiration;
2170   prq.priority = 0;
2171   GNUNET_CONTAINER_multihashmap_get_multiple (query_request_map,
2172                                               &query,
2173                                               &process_reply,
2174                                               &prq);
2175   // FIXME: if migration is on and load is low,
2176   // queue to store data in datastore;
2177   // use "prq.priority" for that!
2178   return GNUNET_OK;
2179 }
2180
2181
2182 /* **************************** P2P GET Handling ************************ */
2183
2184
2185 /**
2186  * Closure for 'check_duplicate_request_{peer,client}'.
2187  */
2188 struct CheckDuplicateRequestClosure
2189 {
2190   /**
2191    * The new request we should check if it already exists.
2192    */
2193   const struct PendingRequest *pr;
2194
2195   /**
2196    * Existing request found by the checker, NULL if none.
2197    */
2198   struct PendingRequest *have;
2199 };
2200
2201
2202 /**
2203  * Iterator over entries in the 'query_request_map' that
2204  * tries to see if we have the same request pending from
2205  * the same client already.
2206  *
2207  * @param cls closure (our 'struct CheckDuplicateRequestClosure')
2208  * @param key current key code (query, ignored, must match)
2209  * @param value value in the hash map (a 'struct PendingRequest' 
2210  *              that already exists)
2211  * @return GNUNET_YES if we should continue to
2212  *         iterate (no match yet)
2213  *         GNUNET_NO if not (match found).
2214  */
2215 static int
2216 check_duplicate_request_client (void *cls,
2217                                 const GNUNET_HashCode * key,
2218                                 void *value)
2219 {
2220   struct CheckDuplicateRequestClosure *cdc = cls;
2221   struct PendingRequest *have = value;
2222
2223   if (have->client_request_list == NULL)
2224     return GNUNET_YES;
2225   if ( (cdc->pr->client_request_list->client_list->client == have->client_request_list->client_list->client) &&
2226        (cdc->pr != have) )
2227     {
2228       cdc->have = have;
2229       return GNUNET_NO;
2230     }
2231   return GNUNET_YES;
2232 }
2233
2234
2235 /**
2236  * We're processing (local) results for a search request
2237  * from another peer.  Pass applicable results to the
2238  * peer and if we are done either clean up (operation
2239  * complete) or forward to other peers (more results possible).
2240  *
2241  * @param cls our closure (struct LocalGetContext)
2242  * @param key key for the content
2243  * @param size number of bytes in data
2244  * @param data content stored
2245  * @param type type of the content
2246  * @param priority priority of the content
2247  * @param anonymity anonymity-level for the content
2248  * @param expiration expiration time for the content
2249  * @param uid unique identifier for the datum;
2250  *        maybe 0 if no unique identifier is available
2251  */
2252 static void
2253 process_local_reply (void *cls,
2254                      const GNUNET_HashCode * key,
2255                      uint32_t size,
2256                      const void *data,
2257                      uint32_t type,
2258                      uint32_t priority,
2259                      uint32_t anonymity,
2260                      struct GNUNET_TIME_Absolute
2261                      expiration, 
2262                      uint64_t uid)
2263 {
2264   struct PendingRequest *pr = cls;
2265   struct ProcessReplyClosure prq;
2266   struct CheckDuplicateRequestClosure cdrc;
2267   GNUNET_HashCode dhash;
2268   GNUNET_HashCode mhash;
2269   GNUNET_HashCode query;
2270   
2271   if (NULL == key)
2272     {
2273 #if DEBUG_FS > 1
2274       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2275                   "Done processing local replies, forwarding request to other peers.\n");
2276 #endif
2277       pr->drq = NULL;
2278       if (pr->client_request_list != NULL)
2279         {
2280           GNUNET_SERVER_receive_done (pr->client_request_list->client_list->client, 
2281                                       GNUNET_YES);
2282           /* Figure out if this is a duplicate request and possibly
2283              merge 'struct PendingRequest' entries */
2284           cdrc.have = NULL;
2285           cdrc.pr = pr;
2286           GNUNET_CONTAINER_multihashmap_get_multiple (query_request_map,
2287                                                       &pr->query,
2288                                                       &check_duplicate_request_client,
2289                                                       &cdrc);
2290           if (cdrc.have != NULL)
2291             {
2292 #if DEBUG_FS
2293               GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2294                           "Received request for block `%s' twice from client, will only request once.\n",
2295                           GNUNET_h2s (&pr->query));
2296 #endif
2297               
2298               destroy_pending_request (pr);
2299               return;
2300             }
2301         }
2302
2303       /* no more results */
2304       if (pr->task == GNUNET_SCHEDULER_NO_TASK)
2305         pr->task = GNUNET_SCHEDULER_add_now (sched,
2306                                              &forward_request_task,
2307                                              pr);      
2308       return;
2309     }
2310 #if DEBUG_FS
2311   GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2312               "New local response to `%s' of type %u.\n",
2313               GNUNET_h2s (key),
2314               type);
2315 #endif
2316   if (type == GNUNET_DATASTORE_BLOCKTYPE_ONDEMAND)
2317     {
2318 #if DEBUG_FS
2319       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2320                   "Found ONDEMAND block, performing on-demand encoding\n");
2321 #endif
2322       GNUNET_STATISTICS_update (stats,
2323                                 gettext_noop ("# on-demand blocks matched requests"),
2324                                 1,
2325                                 GNUNET_NO);
2326       if (GNUNET_OK != 
2327           GNUNET_FS_handle_on_demand_block (key, size, data, type, priority, 
2328                                             anonymity, expiration, uid, 
2329                                             &process_local_reply,
2330                                             pr))
2331         GNUNET_FS_drq_get_next (GNUNET_YES);
2332       return;
2333     }
2334   /* check for duplicates */
2335   GNUNET_CRYPTO_hash (data, size, &dhash);
2336   mingle_hash (&dhash, 
2337                pr->mingle,
2338                &mhash);
2339   if ( (pr->bf != NULL) &&
2340        (GNUNET_YES ==
2341         GNUNET_CONTAINER_bloomfilter_test (pr->bf,
2342                                            &mhash)) )
2343     {      
2344 #if DEBUG_FS
2345       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2346                   "Result from datastore filtered by bloomfilter (duplicate).\n");
2347 #endif
2348       GNUNET_STATISTICS_update (stats,
2349                                 gettext_noop ("# results filtered by query bloomfilter"),
2350                                 1,
2351                                 GNUNET_NO);
2352       GNUNET_FS_drq_get_next (GNUNET_YES);
2353       return;
2354     }
2355 #if DEBUG_FS
2356   GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2357               "Found result for query `%s' in local datastore\n",
2358               GNUNET_h2s (key));
2359 #endif
2360   GNUNET_STATISTICS_update (stats,
2361                             gettext_noop ("# results found locally"),
2362                             1,
2363                             GNUNET_NO);
2364   pr->results_found++;
2365   if ( (pr->type == GNUNET_DATASTORE_BLOCKTYPE_KBLOCK) ||
2366        (pr->type == GNUNET_DATASTORE_BLOCKTYPE_SBLOCK) ||
2367        (pr->type == GNUNET_DATASTORE_BLOCKTYPE_NBLOCK) )
2368     {
2369       if (pr->bf == NULL)
2370         {
2371           pr->bf_size = 32;
2372           pr->bf = GNUNET_CONTAINER_bloomfilter_init (NULL,
2373                                                       pr->bf_size, 
2374                                                       BLOOMFILTER_K);
2375         }
2376 #if DEBUG_FS
2377       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2378                   "New local response `%s', adding to filter.\n",
2379                   GNUNET_h2s (&mhash));
2380 #endif
2381 #if 0
2382       /* this would break stuff since we will check the bf later
2383          again (and would then discard the reply!) */
2384       GNUNET_CONTAINER_bloomfilter_add (pr->bf, 
2385                                         &mhash);
2386 #endif
2387     }
2388   memset (&prq, 0, sizeof (prq));
2389   prq.data = data;
2390   prq.expiration = expiration;
2391   prq.size = size;  
2392   if ( (type == GNUNET_DATASTORE_BLOCKTYPE_SBLOCK) &&
2393        (GNUNET_OK != check_sblock ((const struct SBlock*) data,
2394                                    size,
2395                                    &query,
2396                                    &prq.namespace)) )
2397     {
2398       GNUNET_break (0);
2399       /* FIXME: consider removing the block? */
2400       GNUNET_FS_drq_get_next (GNUNET_YES);
2401       return;
2402     }
2403   prq.type = type;
2404   prq.priority = priority;  
2405   process_reply (&prq, key, pr);
2406
2407   if ( (type == GNUNET_DATASTORE_BLOCKTYPE_DBLOCK) ||
2408        (type == GNUNET_DATASTORE_BLOCKTYPE_IBLOCK) ) 
2409     {
2410       GNUNET_FS_drq_get_next (GNUNET_NO);
2411       return;
2412     }
2413   if ( (pr->client_request_list == NULL) &&
2414        ( (GNUNET_YES == test_load_too_high()) ||
2415          (pr->results_found > 5 + 2 * pr->priority) ) )
2416     {
2417 #if DEBUG_FS > 2
2418       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2419                   "Load too high, done with request\n");
2420 #endif
2421       GNUNET_STATISTICS_update (stats,
2422                                 gettext_noop ("# processing result set cut short due to load"),
2423                                 1,
2424                                 GNUNET_NO);
2425       GNUNET_FS_drq_get_next (GNUNET_NO);
2426       return;
2427     }
2428   GNUNET_FS_drq_get_next (GNUNET_YES);
2429 }
2430
2431
2432 /**
2433  * The priority level imposes a bound on the maximum
2434  * value for the ttl that can be requested.
2435  *
2436  * @param ttl_in requested ttl
2437  * @param prio given priority
2438  * @return ttl_in if ttl_in is below the limit,
2439  *         otherwise the ttl-limit for the given priority
2440  */
2441 static int32_t
2442 bound_ttl (int32_t ttl_in, uint32_t prio)
2443 {
2444   unsigned long long allowed;
2445
2446   if (ttl_in <= 0)
2447     return ttl_in;
2448   allowed = ((unsigned long long) prio) * TTL_DECREMENT / 1000; 
2449   if (ttl_in > allowed)      
2450     {
2451       if (allowed >= (1 << 30))
2452         return 1 << 30;
2453       return allowed;
2454     }
2455   return ttl_in;
2456 }
2457
2458
2459 /**
2460  * We've received a request with the specified priority.  Bound it
2461  * according to how much we trust the given peer.
2462  * 
2463  * @param prio_in requested priority
2464  * @param cp the peer making the request
2465  * @return effective priority
2466  */
2467 static uint32_t
2468 bound_priority (uint32_t prio_in,
2469                 struct ConnectedPeer *cp)
2470 {
2471   return 0; // FIXME!
2472 }
2473
2474
2475 /**
2476  * Iterator over entries in the 'query_request_map' that
2477  * tries to see if we have the same request pending from
2478  * the same peer already.
2479  *
2480  * @param cls closure (our 'struct CheckDuplicateRequestClosure')
2481  * @param key current key code (query, ignored, must match)
2482  * @param value value in the hash map (a 'struct PendingRequest' 
2483  *              that already exists)
2484  * @return GNUNET_YES if we should continue to
2485  *         iterate (no match yet)
2486  *         GNUNET_NO if not (match found).
2487  */
2488 static int
2489 check_duplicate_request_peer (void *cls,
2490                               const GNUNET_HashCode * key,
2491                               void *value)
2492 {
2493   struct CheckDuplicateRequestClosure *cdc = cls;
2494   struct PendingRequest *have = value;
2495
2496   if (cdc->pr->target_pid == have->target_pid)
2497     {
2498       cdc->have = have;
2499       return GNUNET_NO;
2500     }
2501   return GNUNET_YES;
2502 }
2503
2504
2505 /**
2506  * Handle P2P "GET" request.
2507  *
2508  * @param cls closure, always NULL
2509  * @param other the other peer involved (sender or receiver, NULL
2510  *        for loopback messages where we are both sender and receiver)
2511  * @param message the actual message
2512  * @param latency reported latency of the connection with 'other'
2513  * @param distance reported distance (DV) to 'other' 
2514  * @return GNUNET_OK to keep the connection open,
2515  *         GNUNET_SYSERR to close it (signal serious error)
2516  */
2517 static int
2518 handle_p2p_get (void *cls,
2519                 const struct GNUNET_PeerIdentity *other,
2520                 const struct GNUNET_MessageHeader *message,
2521                 struct GNUNET_TIME_Relative latency,
2522                 uint32_t distance)
2523 {
2524   struct PendingRequest *pr;
2525   struct ConnectedPeer *cp;
2526   struct ConnectedPeer *cps;
2527   struct CheckDuplicateRequestClosure cdc;
2528   struct GNUNET_TIME_Relative timeout;
2529   uint16_t msize;
2530   const struct GetMessage *gm;
2531   unsigned int bits;
2532   const GNUNET_HashCode *opt;
2533   uint32_t bm;
2534   size_t bfsize;
2535   uint32_t ttl_decrement;
2536   uint32_t type;
2537   double preference;
2538   int have_ns;
2539
2540   msize = ntohs(message->size);
2541   if (msize < sizeof (struct GetMessage))
2542     {
2543       GNUNET_break_op (0);
2544       return GNUNET_SYSERR;
2545     }
2546   gm = (const struct GetMessage*) message;
2547   type = ntohl (gm->type);
2548   switch (type)
2549     {
2550     case GNUNET_DATASTORE_BLOCKTYPE_ANY:
2551     case GNUNET_DATASTORE_BLOCKTYPE_DBLOCK:
2552     case GNUNET_DATASTORE_BLOCKTYPE_IBLOCK:
2553     case GNUNET_DATASTORE_BLOCKTYPE_KBLOCK:
2554     case GNUNET_DATASTORE_BLOCKTYPE_SBLOCK:
2555       break;
2556     default:
2557       GNUNET_break_op (0);
2558       return GNUNET_SYSERR;
2559     }
2560   bm = ntohl (gm->hash_bitmap);
2561   bits = 0;
2562   while (bm > 0)
2563     {
2564       if (1 == (bm & 1))
2565         bits++;
2566       bm >>= 1;
2567     }
2568   if (msize < sizeof (struct GetMessage) + bits * sizeof (GNUNET_HashCode))
2569     {
2570       GNUNET_break_op (0);
2571       return GNUNET_SYSERR;
2572     }  
2573   opt = (const GNUNET_HashCode*) &gm[1];
2574   bfsize = msize - sizeof (struct GetMessage) + bits * sizeof (GNUNET_HashCode);
2575   bm = ntohl (gm->hash_bitmap);
2576   if ( (0 != (bm & GET_MESSAGE_BIT_SKS_NAMESPACE)) &&
2577        (type != GNUNET_DATASTORE_BLOCKTYPE_SBLOCK) )
2578     {
2579       GNUNET_break_op (0);
2580       return GNUNET_SYSERR;      
2581     }
2582   bits = 0;
2583   cps = GNUNET_CONTAINER_multihashmap_get (connected_peers,
2584                                            &other->hashPubKey);
2585   if (NULL == cps)
2586     {
2587       /* peer must have just disconnected */
2588       GNUNET_STATISTICS_update (stats,
2589                                 gettext_noop ("# requests dropped due to initiator not being connected"),
2590                                 1,
2591                                 GNUNET_NO);
2592       return GNUNET_SYSERR;
2593     }
2594   if (0 != (bm & GET_MESSAGE_BIT_RETURN_TO))
2595     cp = GNUNET_CONTAINER_multihashmap_get (connected_peers,
2596                                             &opt[bits++]);
2597   else
2598     cp = cps;
2599   if (cp == NULL)
2600     {
2601 #if DEBUG_FS
2602       if (0 != (bm & GET_MESSAGE_BIT_RETURN_TO))
2603         GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2604                     "Failed to find RETURN-TO peer `%4s' in connection set. Dropping query.\n",
2605                     GNUNET_i2s ((const struct GNUNET_PeerIdentity*) &opt[bits-1]));
2606       
2607       else
2608         GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2609                     "Failed to find peer `%4s' in connection set. Dropping query.\n",
2610                     GNUNET_i2s (other));
2611 #endif
2612       GNUNET_STATISTICS_update (stats,
2613                                 gettext_noop ("# requests dropped due to missing reverse route"),
2614                                 1,
2615                                 GNUNET_NO);
2616      /* FIXME: try connect? */
2617       return GNUNET_OK;
2618     }
2619   /* note that we can really only check load here since otherwise
2620      peers could find out that we are overloaded by not being
2621      disconnected after sending us a malformed query... */
2622   if (GNUNET_YES == test_load_too_high ())
2623     {
2624 #if DEBUG_FS
2625       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2626                   "Dropping query from `%s', this peer is too busy.\n",
2627                   GNUNET_i2s (other));
2628 #endif
2629       GNUNET_STATISTICS_update (stats,
2630                                 gettext_noop ("# requests dropped due to high load"),
2631                                 1,
2632                                 GNUNET_NO);
2633       return GNUNET_OK;
2634     }
2635
2636 #if DEBUG_FS 
2637   GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2638               "Received request for `%s' of type %u from peer `%4s' with flags %u\n",
2639               GNUNET_h2s (&gm->query),
2640               (unsigned int) type,
2641               GNUNET_i2s (other),
2642               (unsigned int) bm);
2643 #endif
2644   have_ns = (0 != (bm & GET_MESSAGE_BIT_SKS_NAMESPACE));
2645   pr = GNUNET_malloc (sizeof (struct PendingRequest) + 
2646                       (have_ns ? sizeof(GNUNET_HashCode) : 0));
2647   if (have_ns)
2648     pr->namespace = (GNUNET_HashCode*) &pr[1];
2649   pr->type = type;
2650   pr->mingle = ntohl (gm->filter_mutator);
2651   if (0 != (bm & GET_MESSAGE_BIT_SKS_NAMESPACE))    
2652     memcpy (&pr[1], &opt[bits++], sizeof (GNUNET_HashCode));
2653   if (0 != (bm & GET_MESSAGE_BIT_TRANSMIT_TO))
2654     pr->target_pid = GNUNET_PEER_intern ((const struct GNUNET_PeerIdentity*) &opt[bits++]);
2655
2656   pr->anonymity_level = 1;
2657   pr->priority = bound_priority (ntohl (gm->priority), cps);
2658   pr->ttl = bound_ttl (ntohl (gm->ttl), pr->priority);
2659   pr->query = gm->query;
2660   /* decrement ttl (always) */
2661   ttl_decrement = 2 * TTL_DECREMENT +
2662     GNUNET_CRYPTO_random_u32 (GNUNET_CRYPTO_QUALITY_WEAK,
2663                               TTL_DECREMENT);
2664   if ( (pr->ttl < 0) &&
2665        (pr->ttl - ttl_decrement > 0) )
2666     {
2667 #if DEBUG_FS
2668       GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2669                   "Dropping query from `%s' due to TTL underflow.\n",
2670                   GNUNET_i2s (other));
2671 #endif
2672       GNUNET_STATISTICS_update (stats,
2673                                 gettext_noop ("# requests dropped due TTL underflow"),
2674                                 1,
2675                                 GNUNET_NO);
2676       /* integer underflow => drop (should be very rare)! */
2677       GNUNET_free (pr);
2678       return GNUNET_OK;
2679     } 
2680   pr->ttl -= ttl_decrement;
2681   pr->start_time = GNUNET_TIME_absolute_get ();
2682
2683   /* get bloom filter */
2684   if (bfsize > 0)
2685     {
2686       pr->bf = GNUNET_CONTAINER_bloomfilter_init ((const char*) &opt[bits],
2687                                                   bfsize,
2688                                                   BLOOMFILTER_K);
2689       pr->bf_size = bfsize;
2690     }
2691
2692   cdc.have = NULL;
2693   cdc.pr = pr;
2694   GNUNET_CONTAINER_multihashmap_get_multiple (query_request_map,
2695                                               &gm->query,
2696                                               &check_duplicate_request_peer,
2697                                               &cdc);
2698   if (cdc.have != NULL)
2699     {
2700       if (cdc.have->start_time.value + cdc.have->ttl >=
2701           pr->start_time.value + pr->ttl)
2702         {
2703           /* existing request has higher TTL, drop new one! */
2704           cdc.have->priority += pr->priority;
2705           destroy_pending_request (pr);
2706 #if DEBUG_FS
2707           GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2708                       "Have existing request with higher TTL, dropping new request.\n",
2709                       GNUNET_i2s (other));
2710 #endif
2711           GNUNET_STATISTICS_update (stats,
2712                                     gettext_noop ("# requests dropped due to existing request with higher TTL"),
2713                                     1,
2714                                     GNUNET_NO);
2715           return GNUNET_OK;
2716         }
2717       else
2718         {
2719           /* existing request has lower TTL, drop old one! */
2720           pr->priority += cdc.have->priority;
2721           /* Possible optimization: if we have applicable pending
2722              replies in 'cdc.have', we might want to move those over
2723              (this is a really rare special-case, so it is not clear
2724              that this would be worth it) */
2725           destroy_pending_request (cdc.have);
2726           /* keep processing 'pr'! */
2727         }
2728     }
2729
2730   pr->cp = cp;
2731   GNUNET_CONTAINER_multihashmap_put (query_request_map,
2732                                      &gm->query,
2733                                      pr,
2734                                      GNUNET_CONTAINER_MULTIHASHMAPOPTION_MULTIPLE);
2735   GNUNET_CONTAINER_multihashmap_put (peer_request_map,
2736                                      &other->hashPubKey,
2737                                      pr,
2738                                      GNUNET_CONTAINER_MULTIHASHMAPOPTION_MULTIPLE);
2739   
2740   pr->hnode = GNUNET_CONTAINER_heap_insert (requests_by_expiration_heap,
2741                                             pr,
2742                                             pr->start_time.value + pr->ttl);
2743
2744   GNUNET_STATISTICS_update (stats,
2745                             gettext_noop ("# P2P searches active"),
2746                             1,
2747                             GNUNET_NO);
2748
2749   /* calculate change in traffic preference */
2750   preference = (double) pr->priority;
2751   if (preference < QUERY_BANDWIDTH_VALUE)
2752     preference = QUERY_BANDWIDTH_VALUE;
2753   cps->inc_preference += preference;
2754
2755   /* process locally */
2756   if (type == GNUNET_DATASTORE_BLOCKTYPE_DBLOCK)
2757     type = GNUNET_DATASTORE_BLOCKTYPE_ANY; /* to get on-demand as well */
2758   timeout = GNUNET_TIME_relative_multiply (BASIC_DATASTORE_REQUEST_DELAY,
2759                                            (pr->priority + 1)); 
2760   pr->drq = GNUNET_FS_drq_get (&gm->query,
2761                                type,                           
2762                                &process_local_reply,
2763                                pr,
2764                                timeout,
2765                                GNUNET_NO);
2766
2767   /* Are multiple results possible?  If so, start processing remotely now! */
2768   switch (pr->type)
2769     {
2770     case GNUNET_DATASTORE_BLOCKTYPE_DBLOCK:
2771     case GNUNET_DATASTORE_BLOCKTYPE_IBLOCK:
2772       /* only one result, wait for datastore */
2773       break;
2774     default:
2775       if (pr->task == GNUNET_SCHEDULER_NO_TASK)
2776         pr->task = GNUNET_SCHEDULER_add_now (sched,
2777                                              &forward_request_task,
2778                                              pr);
2779     }
2780
2781   /* make sure we don't track too many requests */
2782   if (GNUNET_CONTAINER_heap_get_size (requests_by_expiration_heap) > max_pending_requests)
2783     {
2784       pr = GNUNET_CONTAINER_heap_peek (requests_by_expiration_heap);
2785       destroy_pending_request (pr);
2786     }
2787   return GNUNET_OK;
2788 }
2789
2790
2791 /* **************************** CS GET Handling ************************ */
2792
2793
2794 /**
2795  * Handle START_SEARCH-message (search request from client).
2796  *
2797  * @param cls closure
2798  * @param client identification of the client
2799  * @param message the actual message
2800  */
2801 static void
2802 handle_start_search (void *cls,
2803                      struct GNUNET_SERVER_Client *client,
2804                      const struct GNUNET_MessageHeader *message)
2805 {
2806   static GNUNET_HashCode all_zeros;
2807   const struct SearchMessage *sm;
2808   struct ClientList *cl;
2809   struct ClientRequestList *crl;
2810   struct PendingRequest *pr;
2811   uint16_t msize;
2812   unsigned int sc;
2813   uint32_t type;
2814
2815   msize = ntohs (message->size);
2816   if ( (msize < sizeof (struct SearchMessage)) ||
2817        (0 != (msize - sizeof (struct SearchMessage)) % sizeof (GNUNET_HashCode)) )
2818     {
2819       GNUNET_break (0);
2820       GNUNET_SERVER_receive_done (client,
2821                                   GNUNET_SYSERR);
2822       return;
2823     }
2824   sc = (msize - sizeof (struct SearchMessage)) / sizeof (GNUNET_HashCode);
2825   sm = (const struct SearchMessage*) message;
2826
2827   cl = client_list;
2828   while ( (cl != NULL) &&
2829           (cl->client != client) )
2830     cl = cl->next;
2831   if (cl == NULL)
2832     {
2833       cl = GNUNET_malloc (sizeof (struct ClientList));
2834       cl->client = client;
2835       GNUNET_SERVER_client_keep (client);
2836       cl->next = client_list;
2837       client_list = cl;
2838     }
2839   type = ntohl (sm->type);
2840 #if DEBUG_FS
2841   GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2842               "Received request for `%s' of type %u from local client\n",
2843               GNUNET_h2s (&sm->query),
2844               (unsigned int) type);
2845 #endif
2846   switch (type)
2847     {
2848     case GNUNET_DATASTORE_BLOCKTYPE_ANY:
2849     case GNUNET_DATASTORE_BLOCKTYPE_DBLOCK:
2850     case GNUNET_DATASTORE_BLOCKTYPE_IBLOCK:
2851     case GNUNET_DATASTORE_BLOCKTYPE_KBLOCK:
2852     case GNUNET_DATASTORE_BLOCKTYPE_SBLOCK:
2853     case GNUNET_DATASTORE_BLOCKTYPE_NBLOCK:
2854       break;
2855     default:
2856       GNUNET_break (0);
2857       GNUNET_SERVER_receive_done (client,
2858                                   GNUNET_SYSERR);
2859       return;
2860     }  
2861
2862   /* detect duplicate KBLOCK requests */
2863   if ( (type == GNUNET_DATASTORE_BLOCKTYPE_KBLOCK) ||
2864        (type == GNUNET_DATASTORE_BLOCKTYPE_NBLOCK) ||
2865        (type == GNUNET_DATASTORE_BLOCKTYPE_ANY) )
2866     {
2867       crl = cl->rl_head;
2868       while ( (crl != NULL) &&
2869               ( (0 != memcmp (&crl->req->query,
2870                               &sm->query,
2871                               sizeof (GNUNET_HashCode))) ||
2872                 (crl->req->type != type) ) )
2873         crl = crl->next;
2874       if (crl != NULL)  
2875         { 
2876 #if DEBUG_FS
2877           GNUNET_log (GNUNET_ERROR_TYPE_DEBUG,
2878                       "Have existing request, merging content-seen lists.\n");
2879 #endif
2880           pr = crl->req;
2881           /* Duplicate request (used to send long list of
2882              known/blocked results); merge 'pr->replies_seen'
2883              and update bloom filter */
2884           GNUNET_array_grow (pr->replies_seen,
2885                              pr->replies_seen_size,
2886                              pr->replies_seen_off + sc);
2887           memcpy (&pr->replies_seen[pr->replies_seen_off],
2888                   &sm[1],
2889                   sc * sizeof (GNUNET_HashCode));
2890           pr->replies_seen_off += sc;
2891           if (pr->bf != NULL)
2892             GNUNET_CONTAINER_bloomfilter_free (pr->bf);
2893           pr->bf = refresh_bloomfilter (pr->replies_seen_off,
2894                                         &pr->mingle,
2895                                         &pr->bf_size,
2896                                         pr->replies_seen);
2897           GNUNET_STATISTICS_update (stats,
2898                                     gettext_noop ("# client searches updated (merged content seen list)"),
2899                                     1,
2900                                     GNUNET_NO);
2901           GNUNET_SERVER_receive_done (client,
2902                                       GNUNET_OK);
2903           return;
2904         }
2905     }
2906   GNUNET_STATISTICS_update (stats,
2907                             gettext_noop ("# client searches active"),
2908                             1,
2909                             GNUNET_NO);
2910   pr = GNUNET_malloc (sizeof (struct PendingRequest) + 
2911                       ((type == GNUNET_DATASTORE_BLOCKTYPE_SBLOCK)?sizeof(GNUNET_HashCode):0));
2912   crl = GNUNET_malloc (sizeof (struct ClientRequestList));
2913   memset (crl, 0, sizeof (struct ClientRequestList));
2914   crl->client_list = cl;
2915   GNUNET_CONTAINER_DLL_insert (cl->rl_head,
2916                                cl->rl_tail,
2917                                crl);  
2918   crl->req = pr;
2919   pr->type = type;
2920   pr->client_request_list = crl;
2921   GNUNET_array_grow (pr->replies_seen,
2922                      pr->replies_seen_size,
2923                      sc);
2924   memcpy (pr->replies_seen,
2925           &sm[1],
2926           sc * sizeof (GNUNET_HashCode));
2927   pr->replies_seen_off = sc;
2928   pr->anonymity_level = ntohl (sm->anonymity_level); 
2929   pr->bf = refresh_bloomfilter (pr->replies_seen_off,
2930                                 &pr->mingle,
2931                                 &pr->bf_size,
2932                                 pr->replies_seen);
2933  pr->query = sm->query;
2934   switch (type)
2935     {
2936     case GNUNET_DATASTORE_BLOCKTYPE_DBLOCK:
2937     case GNUNET_DATASTORE_BLOCKTYPE_IBLOCK:
2938       if (0 != memcmp (&sm->target,
2939                        &all_zeros,
2940                        sizeof (GNUNET_HashCode)))
2941         pr->target_pid = GNUNET_PEER_intern ((const struct GNUNET_PeerIdentity*) &sm->target);
2942       break;
2943     case GNUNET_DATASTORE_BLOCKTYPE_SBLOCK:
2944       pr->namespace = (GNUNET_HashCode*) &pr[1];
2945       memcpy (&pr[1], &sm->target, sizeof (GNUNET_HashCode));
2946       break;
2947     default:
2948       break;
2949     }
2950   GNUNET_CONTAINER_multihashmap_put (query_request_map,
2951                                      &sm->query,
2952                                      pr,
2953                                      GNUNET_CONTAINER_MULTIHASHMAPOPTION_MULTIPLE);
2954   if (type == GNUNET_DATASTORE_BLOCKTYPE_DBLOCK)
2955     type = GNUNET_DATASTORE_BLOCKTYPE_ANY; /* get on-demand blocks too! */
2956   pr->drq = GNUNET_FS_drq_get (&sm->query,
2957                                type,                           
2958                                &process_local_reply,
2959                                pr,
2960                                GNUNET_CONSTANTS_SERVICE_TIMEOUT,
2961                                GNUNET_YES);
2962 }
2963
2964
2965 /* **************************** Startup ************************ */
2966
2967
2968 /**
2969  * List of handlers for P2P messages
2970  * that we care about.
2971  */
2972 static struct GNUNET_CORE_MessageHandler p2p_handlers[] =
2973   {
2974     { &handle_p2p_get, 
2975       GNUNET_MESSAGE_TYPE_FS_GET, 0 },
2976     { &handle_p2p_put, 
2977       GNUNET_MESSAGE_TYPE_FS_PUT, 0 },
2978     { NULL, 0, 0 }
2979   };
2980
2981
2982 /**
2983  * List of handlers for the messages understood by this
2984  * service.
2985  */
2986 static struct GNUNET_SERVER_MessageHandler handlers[] = {
2987   {&GNUNET_FS_handle_index_start, NULL, 
2988    GNUNET_MESSAGE_TYPE_FS_INDEX_START, 0},
2989   {&GNUNET_FS_handle_index_list_get, NULL, 
2990    GNUNET_MESSAGE_TYPE_FS_INDEX_LIST_GET, sizeof(struct GNUNET_MessageHeader) },
2991   {&GNUNET_FS_handle_unindex, NULL, GNUNET_MESSAGE_TYPE_FS_UNINDEX, 
2992    sizeof (struct UnindexMessage) },
2993   {&handle_start_search, NULL, GNUNET_MESSAGE_TYPE_FS_START_SEARCH, 
2994    0 },
2995   {NULL, NULL, 0, 0}
2996 };
2997
2998
2999 /**
3000  * Process fs requests.
3001  *
3002  * @param s scheduler to use
3003  * @param server the initialized server
3004  * @param c configuration to use
3005  */
3006 static int
3007 main_init (struct GNUNET_SCHEDULER_Handle *s,
3008            struct GNUNET_SERVER_Handle *server,
3009            const struct GNUNET_CONFIGURATION_Handle *c)
3010 {
3011   sched = s;
3012   cfg = c;
3013   stats = GNUNET_STATISTICS_create (sched, "fs", cfg);
3014   connected_peers = GNUNET_CONTAINER_multihashmap_create (128); // FIXME: get size from config
3015   query_request_map = GNUNET_CONTAINER_multihashmap_create (128); // FIXME: get size from config
3016   peer_request_map = GNUNET_CONTAINER_multihashmap_create (128); // FIXME: get size from config
3017   requests_by_expiration_heap = GNUNET_CONTAINER_heap_create (GNUNET_CONTAINER_HEAP_ORDER_MIN); 
3018   core = GNUNET_CORE_connect (sched,
3019                               cfg,
3020                               GNUNET_TIME_UNIT_FOREVER_REL,
3021                               NULL,
3022                               NULL,
3023                               NULL,
3024                               &peer_connect_handler,
3025                               &peer_disconnect_handler,
3026                               NULL, GNUNET_NO,
3027                               NULL, GNUNET_NO,
3028                               p2p_handlers);
3029   if (NULL == core)
3030     {
3031       GNUNET_log (GNUNET_ERROR_TYPE_ERROR,
3032                   _("Failed to connect to `%s' service.\n"),
3033                   "core");
3034       GNUNET_CONTAINER_multihashmap_destroy (connected_peers);
3035       connected_peers = NULL;
3036       GNUNET_CONTAINER_multihashmap_destroy (query_request_map);
3037       query_request_map = NULL;
3038       GNUNET_CONTAINER_heap_destroy (requests_by_expiration_heap);
3039       requests_by_expiration_heap = NULL;
3040       GNUNET_CONTAINER_multihashmap_destroy (peer_request_map);
3041       peer_request_map = NULL;
3042
3043       return GNUNET_SYSERR;
3044     }  
3045   GNUNET_SERVER_disconnect_notify (server, 
3046                                    &handle_client_disconnect,
3047                                    NULL);
3048   GNUNET_SERVER_add_handlers (server, handlers);
3049   GNUNET_SCHEDULER_add_delayed (sched,
3050                                 GNUNET_TIME_UNIT_FOREVER_REL,
3051                                 &shutdown_task,
3052                                 NULL);
3053   return GNUNET_OK;
3054 }
3055
3056
3057 /**
3058  * Process fs requests.
3059  *
3060  * @param cls closure
3061  * @param sched scheduler to use
3062  * @param server the initialized server
3063  * @param cfg configuration to use
3064  */
3065 static void
3066 run (void *cls,
3067      struct GNUNET_SCHEDULER_Handle *sched,
3068      struct GNUNET_SERVER_Handle *server,
3069      const struct GNUNET_CONFIGURATION_Handle *cfg)
3070 {
3071   if ( (GNUNET_OK != GNUNET_FS_drq_init (sched, cfg)) ||
3072        (GNUNET_OK != GNUNET_FS_indexing_init (sched, cfg)) ||
3073        (GNUNET_OK != main_init (sched, server, cfg)) )
3074     {    
3075       GNUNET_SCHEDULER_shutdown (sched);
3076       return;   
3077     }
3078 }
3079
3080
3081 /**
3082  * The main function for the fs service.
3083  *
3084  * @param argc number of arguments from the command line
3085  * @param argv command line arguments
3086  * @return 0 ok, 1 on error
3087  */
3088 int
3089 main (int argc, char *const *argv)
3090 {
3091   return (GNUNET_OK ==
3092           GNUNET_SERVICE_run (argc,
3093                               argv,
3094                               "fs",
3095                               GNUNET_SERVICE_OPTION_NONE,
3096                               &run, NULL)) ? 0 : 1;
3097 }
3098
3099 /* end of gnunet-service-fs.c */