]> git.netwichtig.de Git - user/henk/code/inspircd.git/blob - src/modules/m_spanningtree.cpp
c02c31ac44585a6b42955f4486a0e68d9fe16f75
[user/henk/code/inspircd.git] / src / modules / m_spanningtree.cpp
1 /*   +------------------------------------+
2  *   | Inspire Internet Relay Chat Daemon |
3  *   +------------------------------------+
4  *
5  *  InspIRCd is copyright (C) 2002-2006 ChatSpike-Dev.
6  *                     E-mail:
7  *                <brain@chatspike.net>
8  *                <Craig@chatspike.net>
9  *     
10  * Written by Craig Edwards, Craig McLure, and others.
11  * This program is free but copyrighted software; see
12  *            the file COPYING for details.
13  *
14  * ---------------------------------------------------
15  */
16
17 /* $ModDesc: Povides a spanning tree server link protocol */
18
19 using namespace std;
20
21 #include "configreader.h"
22 #include "users.h"
23 #include "channels.h"
24 #include "modules.h"
25 #include "commands/cmd_whois.h"
26 #include "commands/cmd_stats.h"
27 #include "socket.h"
28 #include "inspircd.h"
29 #include "wildcard.h"
30 #include "xline.h"
31 #include "cull_list.h"
32 #include "aes.h"
33
34 #define nspace __gnu_cxx
35
36
37 /** If you make a change which breaks the protocol, increment this.
38  * If you  completely change the protocol, completely change the number.
39  */
40 const long ProtocolVersion = 1101;
41
42 /*
43  * The server list in InspIRCd is maintained as two structures
44  * which hold the data in different ways. Most of the time, we
45  * want to very quicky obtain three pieces of information:
46  *
47  * (1) The information on a server
48  * (2) The information on the server we must send data through
49  *     to actually REACH the server we're after
50  * (3) Potentially, the child/parent objects of this server
51  *
52  * The InspIRCd spanning protocol provides easy access to these
53  * by storing the data firstly in a recursive structure, where
54  * each item references its parent item, and a dynamic list
55  * of child items, and another structure which stores the items
56  * hashed, linearly. This means that if we want to find a server
57  * by name quickly, we can look it up in the hash, avoiding
58  * any O(n) lookups. If however, during a split or sync, we want
59  * to apply an operation to a server, and any of its child objects
60  * we can resort to recursion to walk the tree structure.
61  */
62
63 using irc::sockets::MatchCIDR;
64
65 class ModuleSpanningTree;
66 static ModuleSpanningTree* TreeProtocolModule;
67 static InspIRCd* ServerInstance;
68
69 /** Any socket can have one of five states at any one time.
70  * The LISTENER state indicates a socket which is listening
71  * for connections. It cannot receive data itself, only incoming
72  * sockets.
73  * The CONNECTING state indicates an outbound socket which is
74  * waiting to be writeable.
75  * The WAIT_AUTH_1 state indicates the socket is outbound and
76  * has successfully connected, but has not yet sent and received
77  * SERVER strings.
78  * The WAIT_AUTH_2 state indicates that the socket is inbound
79  * (allocated by a LISTENER) but has not yet sent and received
80  * SERVER strings.
81  * The CONNECTED state represents a fully authorized, fully
82  * connected server.
83  */
84 enum ServerState { LISTENER, CONNECTING, WAIT_AUTH_1, WAIT_AUTH_2, CONNECTED };
85
86 /* Foward declarations */
87 class TreeServer;
88 class TreeSocket;
89
90 /* This variable represents the root of the server tree
91  * (for all intents and purposes, it's us)
92  */
93 TreeServer *TreeRoot;
94
95 /* This hash_map holds the hash equivalent of the server
96  * tree, used for rapid linear lookups.
97  */
98 typedef nspace::hash_map<std::string, TreeServer*, nspace::hash<string>, irc::StrHashComp> server_hash;
99 server_hash serverlist;
100
101 typedef nspace::hash_map<std::string, userrec*> uid_hash;
102 typedef nspace::hash_map<std::string, char*> sid_hash;
103
104 /* More forward declarations */
105 bool DoOneToOne(std::string prefix, std::string command, std::deque<std::string> &params, std::string target);
106 bool DoOneToAllButSender(std::string prefix, std::string command, std::deque<std::string> &params, std::string omit);
107 bool DoOneToAllButSender(const char* prefix, const char* command, std::deque<std::string> &params, std::string omit);
108 bool DoOneToMany(std::string prefix, std::string command, std::deque<std::string> &params);
109 bool DoOneToMany(const char* prefix, const char* command, std::deque<std::string> &params);
110 bool DoOneToAllButSenderRaw(std::string data, std::string omit, std::string prefix, irc::string command, std::deque<std::string> &params);
111 void ReadConfiguration(bool rebind);
112
113 /* Flatten links and /MAP for non-opers */
114 bool FlatLinks;
115 /* Hide U-Lined servers in /MAP and /LINKS */
116 bool HideULines;
117 /* Announce TS changes to channels on merge */
118 bool AnnounceTSChange;
119
120 std::vector<std::string> ValidIPs;
121
122 class UserManager : public classbase
123 {
124         uid_hash uids;
125         sid_hash sids;
126  public:
127         UserManager()
128         {
129                 uids.clear();
130                 sids.clear();
131         }
132
133         std::string UserToUID(userrec* user)
134         {
135                 return "";
136         }
137
138         std::string UIDToUser(const std::string &UID)
139         {
140                 return "";
141         }
142
143         std::string CreateAndAdd(userrec* user)
144         {
145                 return "";
146         }
147
148         std::string CreateAndAdd(const std::string &servername)
149         {
150                 return "";
151         }
152
153         std::string ServerToSID(const std::string &servername)
154         {
155                 return "";
156         }
157
158         std::string SIDToServer(const std::string &SID)
159         {
160                 return "";
161         }
162
163         userrec* FindByID(const std::string &UID)
164         {
165                 return NULL;
166         }
167 };
168
169
170 /** Each server in the tree is represented by one class of
171  * type TreeServer. A locally connected TreeServer can
172  * have a class of type TreeSocket associated with it, for
173  * remote servers, the TreeSocket entry will be NULL.
174  * Each server also maintains a pointer to its parent
175  * (NULL if this server is ours, at the top of the tree)
176  * and a pointer to its "Route" (see the comments in the
177  * constructors below), and also a dynamic list of pointers
178  * to its children which can be iterated recursively
179  * if required. Creating or deleting objects of type
180  i* TreeServer automatically maintains the hash_map of
181  * TreeServer items, deleting and inserting them as they
182  * are created and destroyed.
183  */
184 class TreeServer : public classbase
185 {
186         InspIRCd* ServerInstance;               /* Creator */
187         TreeServer* Parent;                     /* Parent entry */
188         TreeServer* Route;                      /* Route entry */
189         std::vector<TreeServer*> Children;      /* List of child objects */
190         irc::string ServerName;                 /* Server's name */
191         std::string ServerDesc;                 /* Server's description */
192         std::string VersionString;              /* Version string or empty string */
193         int UserCount;                          /* Not used in this version */
194         int OperCount;                          /* Not used in this version */
195         TreeSocket* Socket;                     /* For directly connected servers this points at the socket object */
196         time_t NextPing;                        /* After this time, the server should be PINGed*/
197         bool LastPingWasGood;                   /* True if the server responded to the last PING with a PONG */
198         
199  public:
200
201         /** We don't use this constructor. Its a dummy, and won't cause any insertion
202          * of the TreeServer into the hash_map. See below for the two we DO use.
203          */
204         TreeServer(InspIRCd* Instance) : ServerInstance(Instance)
205         {
206                 Parent = NULL;
207                 ServerName = "";
208                 ServerDesc = "";
209                 VersionString = "";
210                 UserCount = OperCount = 0;
211                 VersionString = ServerInstance->GetVersionString();
212         }
213
214         /** We use this constructor only to create the 'root' item, TreeRoot, which
215          * represents our own server. Therefore, it has no route, no parent, and
216          * no socket associated with it. Its version string is our own local version.
217          */
218         TreeServer(InspIRCd* Instance, std::string Name, std::string Desc) : ServerInstance(Instance), ServerName(Name.c_str()), ServerDesc(Desc)
219         {
220                 Parent = NULL;
221                 VersionString = "";
222                 UserCount = OperCount = 0;
223                 VersionString = ServerInstance->GetVersionString();
224                 Route = NULL;
225                 Socket = NULL; /* Fix by brain */
226                 AddHashEntry();
227         }
228
229         /** When we create a new server, we call this constructor to initialize it.
230          * This constructor initializes the server's Route and Parent, and sets up
231          * its ping counters so that it will be pinged one minute from now.
232          */
233         TreeServer(InspIRCd* Instance, std::string Name, std::string Desc, TreeServer* Above, TreeSocket* Sock)
234                 : ServerInstance(Instance), Parent(Above), ServerName(Name.c_str()), ServerDesc(Desc), Socket(Sock)
235         {
236                 VersionString = "";
237                 UserCount = OperCount = 0;
238                 this->SetNextPingTime(time(NULL) + 60);
239                 this->SetPingFlag();
240
241                 /* find the 'route' for this server (e.g. the one directly connected
242                  * to the local server, which we can use to reach it)
243                  *
244                  * In the following example, consider we have just added a TreeServer
245                  * class for server G on our network, of which we are server A.
246                  * To route traffic to G (marked with a *) we must send the data to
247                  * B (marked with a +) so this algorithm initializes the 'Route'
248                  * value to point at whichever server traffic must be routed through
249                  * to get here. If we were to try this algorithm with server B,
250                  * the Route pointer would point at its own object ('this').
251                  *
252                  *              A
253                  *             / \
254                  *          + B   C
255                  *           / \   \
256                  *          D   E   F
257                  *         /         \
258                  *      * G           H
259                  *
260                  * We only run this algorithm when a server is created, as
261                  * the routes remain constant while ever the server exists, and
262                  * do not need to be re-calculated.
263                  */
264
265                 Route = Above;
266                 if (Route == TreeRoot)
267                 {
268                         Route = this;
269                 }
270                 else
271                 {
272                         while (this->Route->GetParent() != TreeRoot)
273                         {
274                                 this->Route = Route->GetParent();
275                         }
276                 }
277
278                 /* Because recursive code is slow and takes a lot of resources,
279                  * we store two representations of the server tree. The first
280                  * is a recursive structure where each server references its
281                  * children and its parent, which is used for netbursts and
282                  * netsplits to dump the whole dataset to the other server,
283                  * and the second is used for very fast lookups when routing
284                  * messages and is instead a hash_map, where each item can
285                  * be referenced by its server name. The AddHashEntry()
286                  * call below automatically inserts each TreeServer class
287                  * into the hash_map as it is created. There is a similar
288                  * maintainance call in the destructor to tidy up deleted
289                  * servers.
290                  */
291
292                 this->AddHashEntry();
293         }
294
295         int QuitUsers(const std::string &reason)
296         {
297                 ServerInstance->Log(DEBUG,"Removing all users from server %s",this->ServerName.c_str());
298                 const char* reason_s = reason.c_str();
299                 std::vector<userrec*> time_to_die;
300                 for (user_hash::iterator n = ServerInstance->clientlist.begin(); n != ServerInstance->clientlist.end(); n++)
301                 {
302                         if (!strcmp(n->second->server, this->ServerName.c_str()))
303                         {
304                                 time_to_die.push_back(n->second);
305                         }
306                 }
307                 for (std::vector<userrec*>::iterator n = time_to_die.begin(); n != time_to_die.end(); n++)
308                 {
309                         userrec* a = (userrec*)*n;
310                         ServerInstance->Log(DEBUG,"Kill %s fd=%d",a->nick,a->GetFd());
311                         if (!IS_LOCAL(a))
312                                 userrec::QuitUser(ServerInstance,a,reason_s);
313                 }
314                 return time_to_die.size();
315         }
316
317         /** This method is used to add the structure to the
318          * hash_map for linear searches. It is only called
319          * by the constructors.
320          */
321         void AddHashEntry()
322         {
323                 server_hash::iterator iter;
324                 iter = serverlist.find(this->ServerName.c_str());
325                 if (iter == serverlist.end())
326                         serverlist[this->ServerName.c_str()] = this;
327         }
328
329         /** This method removes the reference to this object
330          * from the hash_map which is used for linear searches.
331          * It is only called by the default destructor.
332          */
333         void DelHashEntry()
334         {
335                 server_hash::iterator iter;
336                 iter = serverlist.find(this->ServerName.c_str());
337                 if (iter != serverlist.end())
338                         serverlist.erase(iter);
339         }
340
341         /** These accessors etc should be pretty self-
342          * explanitory.
343          */
344         TreeServer* GetRoute()
345         {
346                 return Route;
347         }
348
349         std::string GetName()
350         {
351                 return ServerName.c_str();
352         }
353
354         std::string GetDesc()
355         {
356                 return ServerDesc;
357         }
358
359         std::string GetVersion()
360         {
361                 return VersionString;
362         }
363
364         void SetNextPingTime(time_t t)
365         {
366                 this->NextPing = t;
367                 LastPingWasGood = false;
368         }
369
370         time_t NextPingTime()
371         {
372                 return NextPing;
373         }
374
375         bool AnsweredLastPing()
376         {
377                 return LastPingWasGood;
378         }
379
380         void SetPingFlag()
381         {
382                 LastPingWasGood = true;
383         }
384
385         int GetUserCount()
386         {
387                 return UserCount;
388         }
389
390         void AddUserCount()
391         {
392                 UserCount++;
393         }
394
395         void DelUserCount()
396         {
397                 UserCount--;
398         }
399
400         int GetOperCount()
401         {
402                 return OperCount;
403         }
404
405         TreeSocket* GetSocket()
406         {
407                 return Socket;
408         }
409
410         TreeServer* GetParent()
411         {
412                 return Parent;
413         }
414
415         void SetVersion(std::string Version)
416         {
417                 VersionString = Version;
418         }
419
420         unsigned int ChildCount()
421         {
422                 return Children.size();
423         }
424
425         TreeServer* GetChild(unsigned int n)
426         {
427                 if (n < Children.size())
428                 {
429                         /* Make sure they  cant request
430                          * an out-of-range object. After
431                          * all we know what these programmer
432                          * types are like *grin*.
433                          */
434                         return Children[n];
435                 }
436                 else
437                 {
438                         return NULL;
439                 }
440         }
441
442         void AddChild(TreeServer* Child)
443         {
444                 Children.push_back(Child);
445         }
446
447         bool DelChild(TreeServer* Child)
448         {
449                 for (std::vector<TreeServer*>::iterator a = Children.begin(); a < Children.end(); a++)
450                 {
451                         if (*a == Child)
452                         {
453                                 Children.erase(a);
454                                 return true;
455                         }
456                 }
457                 return false;
458         }
459
460         /** Removes child nodes of this node, and of that node, etc etc.
461          * This is used during netsplits to automatically tidy up the
462          * server tree. It is slow, we don't use it for much else.
463          */
464         bool Tidy()
465         {
466                 bool stillchildren = true;
467                 while (stillchildren)
468                 {
469                         stillchildren = false;
470                         for (std::vector<TreeServer*>::iterator a = Children.begin(); a < Children.end(); a++)
471                         {
472                                 TreeServer* s = (TreeServer*)*a;
473                                 s->Tidy();
474                                 Children.erase(a);
475                                 DELETE(s);
476                                 stillchildren = true;
477                                 break;
478                         }
479                 }
480                 return true;
481         }
482
483         ~TreeServer()
484         {
485                 /* We'd better tidy up after ourselves, eh? */
486                 this->DelHashEntry();
487         }
488 };
489
490 /** The Link class might as well be a struct,
491  * but this is C++ and we don't believe in structs (!).
492  * It holds the entire information of one <link>
493  * tag from the main config file. We maintain a list
494  * of them, and populate the list on rehash/load.
495  */
496 class Link : public classbase
497 {
498  public:
499         irc::string Name;
500         std::string IPAddr;
501         int Port;
502         std::string SendPass;
503         std::string RecvPass;
504         unsigned long AutoConnect;
505         time_t NextConnectTime;
506         std::string EncryptionKey;
507         bool HiddenFromStats;
508         irc::string FailOver;
509 };
510
511 void DoFailOver(Link* x);
512 Link* FindLink(const std::string& name);
513
514 /* The usual stuff for inspircd modules,
515  * plus the vector of Link classes which we
516  * use to store the <link> tags from the config
517  * file.
518  */
519 ConfigReader *Conf;
520 std::vector<Link> LinkBlocks;
521
522 /** Yay for fast searches!
523  * This is hundreds of times faster than recursion
524  * or even scanning a linked list, especially when
525  * there are more than a few servers to deal with.
526  * (read as: lots).
527  */
528 TreeServer* FindServer(std::string ServerName)
529 {
530         server_hash::iterator iter;
531         iter = serverlist.find(ServerName.c_str());
532         if (iter != serverlist.end())
533         {
534                 return iter->second;
535         }
536         else
537         {
538                 return NULL;
539         }
540 }
541
542 /** Returns the locally connected server we must route a
543  * message through to reach server 'ServerName'. This
544  * only applies to one-to-one and not one-to-many routing.
545  * See the comments for the constructor of TreeServer
546  * for more details.
547  */
548 TreeServer* BestRouteTo(std::string ServerName)
549 {
550         if (ServerName.c_str() == TreeRoot->GetName())
551                 return NULL;
552         TreeServer* Found = FindServer(ServerName);
553         if (Found)
554         {
555                 return Found->GetRoute();
556         }
557         else
558         {
559                 return NULL;
560         }
561 }
562
563 /** Find the first server matching a given glob mask.
564  * Theres no find-using-glob method of hash_map [awwww :-(]
565  * so instead, we iterate over the list using an iterator
566  * and match each one until we get a hit. Yes its slow,
567  * deal with it.
568  */
569 TreeServer* FindServerMask(std::string ServerName)
570 {
571         for (server_hash::iterator i = serverlist.begin(); i != serverlist.end(); i++)
572         {
573                 if (match(i->first.c_str(),ServerName.c_str()))
574                         return i->second;
575         }
576         return NULL;
577 }
578
579 /* A convenient wrapper that returns true if a server exists */
580 bool IsServer(std::string ServerName)
581 {
582         return (FindServer(ServerName) != NULL);
583 }
584
585
586 /** Handle /RCONNECT
587  */
588 class cmd_rconnect : public command_t
589 {
590         Module* Creator;
591  public:
592         cmd_rconnect (InspIRCd* Instance, Module* Callback) : command_t(Instance, "RCONNECT", 'o', 2), Creator(Callback)
593         {
594                 this->source = "m_spanningtree.so";
595                 syntax = "<remote-server-mask> <servermask>";
596         }
597
598         CmdResult Handle (const char** parameters, int pcnt, userrec *user)
599         {
600                 user->WriteServ("NOTICE %s :*** RCONNECT: Sending remote connect to \002%s\002 to connect server \002%s\002.",user->nick,parameters[0],parameters[1]);
601                 /* Is this aimed at our server? */
602                 if (ServerInstance->MatchText(ServerInstance->Config->ServerName,parameters[0]))
603                 {
604                         /* Yes, initiate the given connect */
605                         ServerInstance->SNO->WriteToSnoMask('l',"Remote CONNECT from %s matching \002%s\002, connecting server \002%s\002",user->nick,parameters[0],parameters[1]);
606                         const char* para[1];
607                         para[0] = parameters[1];
608                         std::string original_command = std::string("CONNECT ") + parameters[1];
609                         Creator->OnPreCommand("CONNECT", para, 1, user, true, original_command);
610
611                         return CMD_SUCCESS;
612                 }
613
614                 return CMD_FAILURE;
615         }
616 };
617  
618
619
620 /** Every SERVER connection inbound or outbound is represented by
621  * an object of type TreeSocket.
622  * TreeSockets, being inherited from InspSocket, can be tied into
623  * the core socket engine, and we cn therefore receive activity events
624  * for them, just like activex objects on speed. (yes really, that
625  * is a technical term!) Each of these which relates to a locally
626  * connected server is assocated with it, by hooking it onto a
627  * TreeSocket class using its constructor. In this way, we can
628  * maintain a list of servers, some of which are directly connected,
629  * some of which are not.
630  */
631 class TreeSocket : public InspSocket
632 {
633         std::string myhost;
634         std::string in_buffer;
635         ServerState LinkState;
636         std::string InboundServerName;
637         std::string InboundDescription;
638         int num_lost_users;
639         int num_lost_servers;
640         time_t NextPing;
641         bool LastPingWasGood;
642         bool bursting;
643         AES* ctx_in;
644         AES* ctx_out;
645         unsigned int keylength;
646         std::string ModuleList;
647         std::map<std::string,std::string> CapKeys;
648
649  public:
650
651         /** Because most of the I/O gubbins are encapsulated within
652          * InspSocket, we just call the superclass constructor for
653          * most of the action, and append a few of our own values
654          * to it.
655          */
656         TreeSocket(InspIRCd* SI, std::string host, int port, bool listening, unsigned long maxtime)
657                 : InspSocket(SI, host, port, listening, maxtime)
658         {
659                 myhost = host;
660                 this->LinkState = LISTENER;
661                 this->ctx_in = NULL;
662                 this->ctx_out = NULL;
663         }
664
665         TreeSocket(InspIRCd* SI, std::string host, int port, bool listening, unsigned long maxtime, std::string ServerName)
666                 : InspSocket(SI, host, port, listening, maxtime)
667         {
668                 myhost = ServerName;
669                 this->LinkState = CONNECTING;
670                 this->ctx_in = NULL;
671                 this->ctx_out = NULL;
672         }
673
674         /** When a listening socket gives us a new file descriptor,
675          * we must associate it with a socket without creating a new
676          * connection. This constructor is used for this purpose.
677          */
678         TreeSocket(InspIRCd* SI, int newfd, char* ip)
679                 : InspSocket(SI, newfd, ip)
680         {
681                 this->LinkState = WAIT_AUTH_1;
682                 this->ctx_in = NULL;
683                 this->ctx_out = NULL;
684                 this->SendCapabilities();
685         }
686
687         ~TreeSocket()
688         {
689                 if (ctx_in)
690                         DELETE(ctx_in);
691                 if (ctx_out)
692                         DELETE(ctx_out);
693         }
694
695         void InitAES(std::string key,std::string SName)
696         {
697                 if (key == "")
698                         return;
699
700                 ctx_in = new AES();
701                 ctx_out = new AES();
702                 Instance->Log(DEBUG,"Initialized AES key %s",key.c_str());
703                 // key must be 16, 24, 32 etc bytes (multiple of 8)
704                 keylength = key.length();
705                 if (!(keylength == 16 || keylength == 24 || keylength == 32))
706                 {
707                         this->Instance->SNO->WriteToSnoMask('l',"\2ERROR\2: Key length for encryptionkey is not 16, 24 or 32 bytes in length!");
708                         Instance->Log(DEBUG,"Key length not 16, 24 or 32 characters!");
709                 }
710                 else
711                 {
712                         if (this->GetState() != I_ERROR)
713                         {
714                                 this->Instance->SNO->WriteToSnoMask('l',"\2AES\2: Initialized %d bit encryption to server %s",keylength*8,SName.c_str());
715                                 ctx_in->MakeKey(key.c_str(), "\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\
716                                         \0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0", keylength, keylength);
717                                 ctx_out->MakeKey(key.c_str(), "\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\
718                                         \0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0\0", keylength, keylength);
719                         }
720                 }
721         }
722         
723         /** When an outbound connection finishes connecting, we receive
724          * this event, and must send our SERVER string to the other
725          * side. If the other side is happy, as outlined in the server
726          * to server docs on the inspircd.org site, the other side
727          * will then send back its own server string.
728          */
729         virtual bool OnConnected()
730         {
731                 if (this->LinkState == CONNECTING)
732                 {
733                         /* we do not need to change state here. */
734                         for (std::vector<Link>::iterator x = LinkBlocks.begin(); x < LinkBlocks.end(); x++)
735                         {
736                                 if (x->Name == this->myhost)
737                                 {
738                                         this->Instance->SNO->WriteToSnoMask('l',"Connection to \2"+myhost+"\2["+(x->HiddenFromStats ? "<hidden>" : this->GetIP())+"] started.");
739                                         this->SendCapabilities();
740                                         if (x->EncryptionKey != "")
741                                         {
742                                                 if (!(x->EncryptionKey.length() == 16 || x->EncryptionKey.length() == 24 || x->EncryptionKey.length() == 32))
743                                                 {
744                                                         this->Instance->SNO->WriteToSnoMask('l',"\2WARNING\2: Your encryption key is NOT 16, 24 or 32 characters in length, encryption will \2NOT\2 be enabled.");
745                                                 }
746                                                 else
747                                                 {
748                                                         this->WriteLine(std::string("AES ")+this->Instance->Config->ServerName);
749                                                         this->InitAES(x->EncryptionKey,x->Name.c_str());
750                                                 }
751                                         }
752                                         /* found who we're supposed to be connecting to, send the neccessary gubbins. */
753                                         this->WriteLine(std::string("SERVER ")+this->Instance->Config->ServerName+" "+x->SendPass+" 0 :"+this->Instance->Config->ServerDesc);
754                                         return true;
755                                 }
756                         }
757                 }
758                 /* There is a (remote) chance that between the /CONNECT and the connection
759                  * being accepted, some muppet has removed the <link> block and rehashed.
760                  * If that happens the connection hangs here until it's closed. Unlikely
761                  * and rather harmless.
762                  */
763                 this->Instance->SNO->WriteToSnoMask('l',"Connection to \2"+myhost+"\2 lost link tag(!)");
764                 return true;
765         }
766         
767         virtual void OnError(InspSocketError e)
768         {
769                 /* We don't handle this method, because all our
770                  * dirty work is done in OnClose() (see below)
771                  * which is still called on error conditions too.
772                  */
773                 if (e == I_ERR_CONNECT)
774                 {
775                         this->Instance->SNO->WriteToSnoMask('l',"Connection failed: Connection to \002"+myhost+"\002 refused");
776                         Link* MyLink = FindLink(myhost);
777                         if (MyLink)
778                                 DoFailOver(MyLink);
779                 }
780         }
781
782         virtual int OnDisconnect()
783         {
784                 /* For the same reason as above, we don't
785                  * handle OnDisconnect()
786                  */
787                 return true;
788         }
789
790         /** Recursively send the server tree with distances as hops.
791          * This is used during network burst to inform the other server
792          * (and any of ITS servers too) of what servers we know about.
793          * If at any point any of these servers already exist on the other
794          * end, our connection may be terminated. The hopcounts given
795          * by this function are relative, this doesn't matter so long as
796          * they are all >1, as all the remote servers re-calculate them
797          * to be relative too, with themselves as hop 0.
798          */
799         void SendServers(TreeServer* Current, TreeServer* s, int hops)
800         {
801                 char command[1024];
802                 for (unsigned int q = 0; q < Current->ChildCount(); q++)
803                 {
804                         TreeServer* recursive_server = Current->GetChild(q);
805                         if (recursive_server != s)
806                         {
807                                 snprintf(command,1024,":%s SERVER %s * %d :%s",Current->GetName().c_str(),recursive_server->GetName().c_str(),hops,recursive_server->GetDesc().c_str());
808                                 this->WriteLine(command);
809                                 this->WriteLine(":"+recursive_server->GetName()+" VERSION :"+recursive_server->GetVersion());
810                                 /* down to next level */
811                                 this->SendServers(recursive_server, s, hops+1);
812                         }
813                 }
814         }
815
816         std::string MyCapabilities()
817         {
818                 std::vector<std::string> modlist;
819                 std::string capabilities = "";
820
821                 for (int i = 0; i <= this->Instance->GetModuleCount(); i++)
822                 {
823                         if (this->Instance->modules[i]->GetVersion().Flags & VF_COMMON)
824                                 modlist.push_back(this->Instance->Config->module_names[i]);
825                 }
826                 sort(modlist.begin(),modlist.end());
827                 for (unsigned int i = 0; i < modlist.size(); i++)
828                 {
829                         if (i)
830                                 capabilities = capabilities + ",";
831                         capabilities = capabilities + modlist[i];
832                 }
833                 return capabilities;
834         }
835         
836         void SendCapabilities()
837         {
838                 irc::commasepstream modulelist(MyCapabilities());
839
840                 this->WriteLine("CAPAB START");
841
842                 /* Send module names, split at 509 length */
843                 std::string item = "*";
844                 std::string line = "CAPAB MODULES ";
845                 while ((item = modulelist.GetToken()) != "")
846                 {
847                         if (line.length() + item.length() + 1 > 509)
848                         {
849                                 this->WriteLine(line);
850                                 line = "CAPAB MODULES ";
851                         }
852
853                         if (line != "CAPAB MODULES ")
854                                 line.append(",");
855
856                         line.append(item);
857                 }
858                 if (line != "CAPAB MODULES ")
859                         this->WriteLine(line);
860
861                 int ip6 = 0;
862                 int ip6support = 0;
863 #ifdef IPV6
864                 ip6 = 1;
865 #endif
866 #ifdef SUPPORT_IP6LINKS
867                 ip6support = 1;
868 #endif
869                 this->WriteLine("CAPAB CAPABILITIES :NICKMAX="+ConvToStr(NICKMAX)+" HALFOP="+ConvToStr(this->Instance->Config->AllowHalfop)+" CHANMAX="+ConvToStr(CHANMAX)+" MAXMODES="+ConvToStr(MAXMODES)+" IDENTMAX="+ConvToStr(IDENTMAX)+" MAXQUIT="+ConvToStr(MAXQUIT)+" MAXTOPIC="+ConvToStr(MAXTOPIC)+" MAXKICK="+ConvToStr(MAXKICK)+" MAXGECOS="+ConvToStr(MAXGECOS)+" MAXAWAY="+ConvToStr(MAXAWAY)+" IP6NATIVE="+ConvToStr(ip6)+" IP6SUPPORT="+ConvToStr(ip6support)+" PROTOCOL="+ConvToStr(ProtocolVersion));
870
871                 this->WriteLine("CAPAB END");
872         }
873
874         /* Check a comma seperated list for an item */
875         bool HasItem(const std::string &list, const std::string &item)
876         {
877                 irc::commasepstream seplist(list);
878
879                 std::string item2 = "*";
880                 while ((item2 = seplist.GetToken()) != "")
881                 {
882                         if (item2 == item)
883                                 return true;
884                 }
885
886                 return false;
887         }
888
889         /* Isolate and return the elements that are different between two comma seperated lists */
890         std::string ListDifference(const std::string &one, const std::string &two)
891         {
892                 irc::commasepstream list_one(one);
893                 std::string item = "*";
894                 std::string result = "";
895                 while ((item = list_one.GetToken()) != "")
896                 {
897                         if (!HasItem(two, item))
898                         {
899                                 result.append(" ");
900                                 result.append(item);
901                         }
902                 }
903                 return result;
904         }
905
906         bool Capab(std::deque<std::string> params)
907         {
908                 if (params.size() < 1)
909                 {
910                         this->WriteLine("ERROR :Invalid number of parameters for CAPAB - Mismatched version");
911                         return false;
912                 }
913
914                 if (params[0] == "START")
915                 {
916                         this->ModuleList = "";
917                         this->CapKeys.clear();
918                 }
919                 else if (params[0] == "END")
920                 {
921                         std::string reason = "";
922                         int ip6support = 0;
923 #ifdef SUPPORT_IP6LINKS
924                         ip6support = 1;
925 #endif
926                         /* Compare ModuleList and check CapKeys...
927                          * Maybe this could be tidier? -- Brain
928                          */
929                         if ((this->ModuleList != this->MyCapabilities()) && (this->ModuleList.length()))
930                         {
931                                 std::string diff = ListDifference(this->ModuleList, this->MyCapabilities());
932                                 if (!diff.length())
933                                 {
934                                         diff = "your server:" + ListDifference(this->MyCapabilities(), this->ModuleList);
935                                 }
936                                 else
937                                 {
938                                         diff = "this server:" + diff;
939                                 }
940                                 if (diff.length() == 12)
941                                         reason = "Module list in CAPAB is not alphabetically ordered, cannot compare lists.";
942                                 else
943                                         reason = "Modules loaded on these servers are not correctly matched, these modules are not loaded on " + diff;
944                         }
945
946                         if (((this->CapKeys.find("IP6SUPPORT") == this->CapKeys.end()) && (ip6support)) || ((this->CapKeys.find("IP6SUPPORT") != this->CapKeys.end()) && (this->CapKeys.find("IP6SUPPORT")->second != ConvToStr(ip6support))))
947                                 reason = "We don't both support linking to IPV6 servers";
948
949                         if (((this->CapKeys.find("IP6NATIVE") != this->CapKeys.end()) && (this->CapKeys.find("IP6NATIVE")->second == "1")) && (!ip6support))
950                                 reason = "The remote server is IPV6 native, and we don't support linking to IPV6 servers";
951
952                         if (((this->CapKeys.find("NICKMAX") == this->CapKeys.end()) || ((this->CapKeys.find("NICKMAX") != this->CapKeys.end()) && (this->CapKeys.find("NICKMAX")->second != ConvToStr(NICKMAX)))))
953                                 reason = "Maximum nickname lengths differ or remote nickname length not specified";
954
955                         if (((this->CapKeys.find("PROTOCOL") == this->CapKeys.end()) || ((this->CapKeys.find("PROTOCOL") != this->CapKeys.end()) && (this->CapKeys.find("PROTOCOL")->second != ConvToStr(ProtocolVersion)))))
956                         {
957                                 if (this->CapKeys.find("PROTOCOL") != this->CapKeys.end())
958                                 {
959                                         reason = "Mismatched protocol versions "+this->CapKeys.find("PROTOCOL")->second+" and "+ConvToStr(ProtocolVersion);
960                                 }
961                                 else
962                                 {
963                                         reason = "Protocol version not specified";
964                                 }
965                         }
966
967                         if (((this->CapKeys.find("HALFOP") == this->CapKeys.end()) && (Instance->Config->AllowHalfop)) || ((this->CapKeys.find("HALFOP") != this->CapKeys.end()) && (this->CapKeys.find("HALFOP")->second != ConvToStr(Instance->Config->AllowHalfop))))
968                                 reason = "We don't both have halfop support enabled/disabled identically";
969
970                         if (((this->CapKeys.find("IDENTMAX") == this->CapKeys.end()) || ((this->CapKeys.find("IDENTMAX") != this->CapKeys.end()) && (this->CapKeys.find("IDENTMAX")->second != ConvToStr(IDENTMAX)))))
971                                 reason = "Maximum ident lengths differ or remote ident length not specified";
972
973                         if (((this->CapKeys.find("CHANMAX") == this->CapKeys.end()) || ((this->CapKeys.find("CHANMAX") != this->CapKeys.end()) && (this->CapKeys.find("CHANMAX")->second != ConvToStr(CHANMAX)))))
974                                 reason = "Maximum channel lengths differ or remote channel length not specified";
975
976                         if (((this->CapKeys.find("MAXMODES") == this->CapKeys.end()) || ((this->CapKeys.find("MAXMODES") != this->CapKeys.end()) && (this->CapKeys.find("MAXMODES")->second != ConvToStr(MAXMODES)))))
977                                 reason = "Maximum modes per line differ or remote modes per line not specified";
978
979                         if (((this->CapKeys.find("MAXQUIT") == this->CapKeys.end()) || ((this->CapKeys.find("MAXQUIT") != this->CapKeys.end()) && (this->CapKeys.find("MAXQUIT")->second != ConvToStr(MAXQUIT)))))
980                                 reason = "Maximum quit lengths differ or remote quit length not specified";
981
982                         if (((this->CapKeys.find("MAXTOPIC") == this->CapKeys.end()) || ((this->CapKeys.find("MAXTOPIC") != this->CapKeys.end()) && (this->CapKeys.find("MAXTOPIC")->second != ConvToStr(MAXTOPIC)))))
983                                 reason = "Maximum topic lengths differ or remote topic length not specified";
984
985                         if (((this->CapKeys.find("MAXKICK") == this->CapKeys.end()) || ((this->CapKeys.find("MAXKICK") != this->CapKeys.end()) && (this->CapKeys.find("MAXKICK")->second != ConvToStr(MAXKICK)))))
986                                 reason = "Maximum kick lengths differ or remote kick length not specified";
987
988                         if (((this->CapKeys.find("MAXGECOS") == this->CapKeys.end()) || ((this->CapKeys.find("MAXGECOS") != this->CapKeys.end()) && (this->CapKeys.find("MAXGECOS")->second != ConvToStr(MAXGECOS)))))
989                                 reason = "Maximum GECOS (fullname) lengths differ or remote GECOS length not specified";
990
991                         if (((this->CapKeys.find("MAXAWAY") == this->CapKeys.end()) || ((this->CapKeys.find("MAXAWAY") != this->CapKeys.end()) && (this->CapKeys.find("MAXAWAY")->second != ConvToStr(MAXAWAY)))))
992                                 reason = "Maximum awaymessage lengths differ or remote awaymessage length not specified";
993
994                         if (reason.length())
995                         {
996                                 this->WriteLine("ERROR :CAPAB negotiation failed: "+reason);
997                                 return false;
998                         }
999                 }
1000                 else if ((params[0] == "MODULES") && (params.size() == 2))
1001                 {
1002                         if (!this->ModuleList.length())
1003                         {
1004                                 this->ModuleList.append(params[1]);
1005                         }
1006                         else
1007                         {
1008                                 this->ModuleList.append(",");
1009                                 this->ModuleList.append(params[1]);
1010                         }
1011                 }
1012                 else if ((params[0] == "CAPABILITIES") && (params.size() == 2))
1013                 {
1014                         irc::tokenstream capabs(params[1]);
1015                         std::string item = "*";
1016                         while ((item = capabs.GetToken()) != "")
1017                         {
1018                                 /* Process each key/value pair */
1019                                 std::string::size_type equals = item.rfind('=');
1020                                 if (equals != std::string::npos)
1021                                 {
1022                                         std::string var = item.substr(0, equals);
1023                                         std::string value = item.substr(equals+1, item.length());
1024                                         this->Instance->Log(DEBUG,"Key='%s' Value='%s'",var.c_str(),value.c_str());
1025                                         CapKeys[var] = value;
1026                                 }
1027                         }
1028                 }
1029
1030                 return true;
1031         }
1032
1033         /** This function forces this server to quit, removing this server
1034          * and any users on it (and servers and users below that, etc etc).
1035          * It's very slow and pretty clunky, but luckily unless your network
1036          * is having a REAL bad hair day, this function shouldnt be called
1037          * too many times a month ;-)
1038          */
1039         void SquitServer(std::string &from, TreeServer* Current)
1040         {
1041                 /* recursively squit the servers attached to 'Current'.
1042                  * We're going backwards so we don't remove users
1043                  * while we still need them ;)
1044                  */
1045                 for (unsigned int q = 0; q < Current->ChildCount(); q++)
1046                 {
1047                         TreeServer* recursive_server = Current->GetChild(q);
1048                         this->SquitServer(from,recursive_server);
1049                 }
1050                 /* Now we've whacked the kids, whack self */
1051                 num_lost_servers++;
1052                 num_lost_users += Current->QuitUsers(from);
1053         }
1054
1055         /** This is a wrapper function for SquitServer above, which
1056          * does some validation first and passes on the SQUIT to all
1057          * other remaining servers.
1058          */
1059         void Squit(TreeServer* Current,std::string reason)
1060         {
1061                 if ((Current) && (Current != TreeRoot))
1062                 {
1063                         std::deque<std::string> params;
1064                         params.push_back(Current->GetName());
1065                         params.push_back(":"+reason);
1066                         DoOneToAllButSender(Current->GetParent()->GetName(),"SQUIT",params,Current->GetName());
1067                         if (Current->GetParent() == TreeRoot)
1068                         {
1069                                 this->Instance->WriteOpers("Server \002"+Current->GetName()+"\002 split: "+reason);
1070                         }
1071                         else
1072                         {
1073                                 this->Instance->WriteOpers("Server \002"+Current->GetName()+"\002 split from server \002"+Current->GetParent()->GetName()+"\002 with reason: "+reason);
1074                         }
1075                         num_lost_servers = 0;
1076                         num_lost_users = 0;
1077                         std::string from = Current->GetParent()->GetName()+" "+Current->GetName();
1078                         SquitServer(from, Current);
1079                         Current->Tidy();
1080                         Current->GetParent()->DelChild(Current);
1081                         DELETE(Current);
1082                         this->Instance->WriteOpers("Netsplit complete, lost \002%d\002 users on \002%d\002 servers.", num_lost_users, num_lost_servers);
1083                 }
1084                 else
1085                 {
1086                         Instance->Log(DEFAULT,"Squit from unknown server");
1087                 }
1088         }
1089
1090         /** FMODE command - server mode with timestamp checks */
1091         bool ForceMode(std::string source, std::deque<std::string> &params)
1092         {
1093                 /* Chances are this is a 1.0 FMODE without TS */
1094                 if (params.size() < 3)
1095                 {
1096                         this->WriteLine("ERROR :Version 1.0 FMODE sent to version 1.1 server");
1097                         return false;
1098                 }
1099                 
1100                 bool smode = false;
1101                 std::string sourceserv;
1102
1103                 /* Are we dealing with an FMODE from a user, or from a server? */
1104                 userrec* who = this->Instance->FindNick(source);
1105                 if (who)
1106                 {
1107                         /* FMODE from a user, set sourceserv to the users server name */
1108                         sourceserv = who->server;
1109                 }
1110                 else
1111                 {
1112                         /* FMODE from a server, create a fake user to receive mode feedback */
1113                         who = new userrec(this->Instance);
1114                         who->SetFd(FD_MAGIC_NUMBER);
1115                         smode = true;           /* Setting this flag tells us we should free the userrec later */
1116                         sourceserv = source;    /* Set sourceserv to the actual source string */
1117                 }
1118                 const char* modelist[64];
1119                 time_t TS = 0;
1120                 int n = 0;
1121                 memset(&modelist,0,sizeof(modelist));
1122                 for (unsigned int q = 0; (q < params.size()) && (q < 64); q++)
1123                 {
1124                         if (q == 1)
1125                         {
1126                                 /* The timestamp is in this position.
1127                                  * We don't want to pass that up to the
1128                                  * server->client protocol!
1129                                  */
1130                                 TS = atoi(params[q].c_str());
1131                         }
1132                         else
1133                         {
1134                                 /* Everything else is fine to append to the modelist */
1135                                 modelist[n++] = params[q].c_str();
1136                         }
1137                                 
1138                 }
1139                 /* Extract the TS value of the object, either userrec or chanrec */
1140                 userrec* dst = this->Instance->FindNick(params[0]);
1141                 chanrec* chan = NULL;
1142                 time_t ourTS = 0;
1143                 if (dst)
1144                 {
1145                         ourTS = dst->age;
1146                 }
1147                 else
1148                 {
1149                         chan = this->Instance->FindChan(params[0]);
1150                         if (chan)
1151                         {
1152                                 ourTS = chan->age;
1153                         }
1154                         else
1155                                 /* Oops, channel doesnt exist! */
1156                                 return true;
1157                 }
1158
1159                 /* TS is equal: Merge the mode changes, use voooodoooooo on modes
1160                  * with parameters.
1161                  */
1162                 if (TS == ourTS)
1163                 {
1164                         Instance->Log(DEBUG,"Entering TS equality check");
1165                         ModeHandler* mh = NULL;
1166                         unsigned long paramptr = 3;
1167                         std::string to_bounce = "";
1168                         std::string to_keep = "";
1169                         std::vector<std::string> params_to_keep;
1170                         std::string params_to_bounce = "";
1171                         bool adding = true;
1172                         char cur_change = 1;
1173                         char old_change = 0;
1174                         char old_bounce_change = 0;
1175                         /* Merge modes, basically do special stuff to mode with params */
1176                         for (std::string::iterator x = params[2].begin(); x != params[2].end(); x++)
1177                         {
1178                                 switch (*x)
1179                                 {
1180                                         case '-':
1181                                                 adding = false;
1182                                         break;
1183                                         case '+':
1184                                                 adding = true;
1185                                         break;
1186                                         default:
1187                                                 if (adding)
1188                                                 {
1189                                                         /* We only care about whats being set,
1190                                                          * not whats being unset
1191                                                          */
1192                                                         mh = this->Instance->Modes->FindMode(*x, chan ? MODETYPE_CHANNEL : MODETYPE_USER);
1193
1194                                                         if ((mh) && (mh->GetNumParams(adding) > 0) && (!mh->IsListMode()))
1195                                                         {
1196                                                                 /* We only want to do special things to
1197                                                                  * modes with parameters, we are going to rewrite
1198                                                                  * those parameters
1199                                                                  */
1200                                                                 ModePair ret;
1201                                                                 adding ? cur_change = '+' : cur_change = '-';
1202
1203                                                                 ret = mh->ModeSet(smode ? NULL : who, dst, chan, params[paramptr]);
1204
1205                                                                 /* The mode is set here, check which we should keep */
1206                                                                 if (ret.first)
1207                                                                 {
1208                                                                         bool which_to_keep = mh->CheckTimeStamp(TS, ourTS, params[paramptr], ret.second, chan);
1209
1210                                                                         if (which_to_keep == true)
1211                                                                         {
1212                                                                                 /* Keep ours, bounce theirs:
1213                                                                                  * Send back ours to them and
1214                                                                                  * drop their mode changs
1215                                                                                  */
1216                                                                                 adding ? cur_change = '+' : cur_change = '-';
1217                                                                                 if (cur_change != old_bounce_change)
1218                                                                                         to_bounce += cur_change;
1219                                                                                 to_bounce += *x;
1220                                                                                 old_bounce_change = cur_change;
1221
1222                                                                                 if ((mh->GetNumParams(adding) > 0) && (paramptr < params.size()))
1223                                                                                         params_to_bounce.append(" ").append(ret.second);
1224                                                                         }
1225                                                                         else
1226                                                                         {
1227                                                                                 /* Keep theirs: Accept their mode change,
1228                                                                                  * do nothing else
1229                                                                                  */
1230                                                                                 adding ? cur_change = '+' : cur_change = '-';
1231                                                                                 if (cur_change != old_change)
1232                                                                                         to_keep += cur_change;
1233                                                                                 to_keep += *x;
1234                                                                                 old_change = cur_change;
1235
1236                                                                                 if ((mh->GetNumParams(adding) > 0) && (paramptr < params.size()))
1237                                                                                         params_to_keep.push_back(params[paramptr]);
1238                                                                         }
1239                                                                 }
1240                                                                 else
1241                                                                 {
1242                                                                         /* Mode isnt set here, we want it */
1243                                                                         adding ? cur_change = '+' : cur_change = '-';
1244                                                                         if (cur_change != old_change)
1245                                                                                 to_keep += cur_change;
1246                                                                         to_keep += *x;
1247                                                                         old_change = cur_change;
1248
1249                                                                         if ((mh->GetNumParams(adding) > 0) && (paramptr < params.size()))
1250                                                                                 params_to_keep.push_back(params[paramptr]);
1251                                                                 }
1252
1253                                                                 paramptr++;
1254                                                         }
1255                                                         else
1256                                                         {
1257                                                                 mh = this->Instance->Modes->FindMode(*x, chan ? MODETYPE_CHANNEL : MODETYPE_USER);
1258
1259                                                                 if (mh)
1260                                                                 {
1261                                                                         adding ? cur_change = '+' : cur_change = '-';
1262         
1263                                                                         /* Just keep this, safe to merge with no checks
1264                                                                          * it has no parameters
1265                                                                          */
1266         
1267                                                                         if (cur_change != old_change)
1268                                                                                 to_keep += cur_change;
1269                                                                         to_keep += *x;
1270                                                                         old_change = cur_change;
1271         
1272                                                                         if ((mh->GetNumParams(adding) > 0) && (paramptr < params.size()))
1273                                                                         {
1274                                                                                 Instance->Log(DEBUG,"Mode removal %d %d",adding, mh->GetNumParams(adding));
1275                                                                                 params_to_keep.push_back(params[paramptr++]);
1276                                                                         }
1277                                                                 }
1278                                                         }
1279                                                 }
1280                                                 else
1281                                                 {
1282                                                         mh = this->Instance->Modes->FindMode(*x, chan ? MODETYPE_CHANNEL : MODETYPE_USER);
1283
1284                                                         if (mh)
1285                                                         {
1286                                                                 /* Taking a mode away */
1287                                                                 adding ? cur_change = '+' : cur_change = '-';
1288
1289                                                                 if (cur_change != old_change)
1290                                                                         to_keep += cur_change;
1291                                                                 to_keep += *x;
1292                                                                 old_change = cur_change;
1293
1294                                                                 if ((mh->GetNumParams(adding) > 0) && (paramptr < params.size()))
1295                                                                         params_to_keep.push_back(params[paramptr++]);
1296                                                         }
1297                                                 }
1298                                         break;
1299                                 }
1300                         }
1301
1302                         if (to_bounce.length())
1303                         {
1304                                 std::deque<std::string> newparams;
1305                                 newparams.push_back(params[0]);
1306                                 newparams.push_back(ConvToStr(ourTS));
1307                                 newparams.push_back(to_bounce+params_to_bounce);
1308                                 Instance->Log(DEBUG,"BOUNCE BACK: %s",(to_bounce+params_to_bounce).c_str());
1309                                 DoOneToOne(this->Instance->Config->ServerName,"FMODE",newparams,sourceserv);
1310                         }
1311
1312                         if (to_keep.length())
1313                         {
1314                                 unsigned int n = 2;
1315                                 unsigned int q = 0;
1316                                 modelist[0] = params[0].c_str();
1317                                 modelist[1] = to_keep.c_str();
1318
1319                                 if (params_to_keep.size() > 0)
1320                                 {
1321                                         for (q = 0; (q < params_to_keep.size()) && (q < 64); q++)
1322                                         {
1323                                                 Instance->Log(DEBUG,"KEEP Item %d of %d: %s", q, params_to_keep.size(), params_to_keep[q].c_str());
1324                                                 modelist[n++] = params_to_keep[q].c_str();
1325                                         }
1326                                 }
1327
1328                                 if (smode)
1329                                 {
1330                                         Instance->Log(DEBUG,"Send mode");
1331                                         this->Instance->SendMode(modelist, n, who);
1332                                 }
1333                                 else
1334                                 {
1335                                         Instance->Log(DEBUG,"Send mode client");
1336                                         this->Instance->CallCommandHandler("MODE", modelist, n, who);
1337                                 }
1338
1339                                 /* HOT POTATO! PASS IT ON! */
1340                                 DoOneToAllButSender(source,"FMODE",params,sourceserv);
1341                         }
1342                 }
1343                 else
1344                 /* U-lined servers always win regardless of their TS */
1345                 if ((TS > ourTS) && (!this->Instance->ULine(source.c_str())))
1346                 {
1347                         /* Bounce the mode back to its sender.* We use our lower TS, so the other end
1348                          * SHOULD accept it, if its clock is right.
1349                          *
1350                          * NOTE: We should check that we arent bouncing anything thats already set at this end.
1351                          * If we are, bounce +ourmode to 'reinforce' it. This prevents desyncs.
1352                          * e.g. They send +l 50, we have +l 10 set. rather than bounce -l 50, we bounce +l 10.
1353                          *
1354                          * Thanks to jilles for pointing out this one-hell-of-an-issue before i even finished
1355                          * writing the code. It took me a while to come up with this solution.
1356                          *
1357                          * XXX: BE SURE YOU UNDERSTAND THIS CODE FULLY BEFORE YOU MESS WITH IT.
1358                          */
1359
1360                         std::deque<std::string> newparams;      /* New parameter list we send back */
1361                         newparams.push_back(params[0]);         /* Target, user or channel */
1362                         newparams.push_back(ConvToStr(ourTS));  /* Timestamp value of the target */
1363                         newparams.push_back("");                /* This contains the mode string. For now
1364                                                                  * it's empty, we fill it below.
1365                                                                  */
1366
1367                         /* Intelligent mode bouncing. Don't just invert, reinforce any modes which are already
1368                          * set to avoid a desync here.
1369                          */
1370                         std::string modebounce = "";
1371                         bool adding = true;
1372                         unsigned int t = 3;
1373                         ModeHandler* mh = NULL;
1374                         char cur_change = 1;
1375                         char old_change = 0;
1376                         for (std::string::iterator x = params[2].begin(); x != params[2].end(); x++)
1377                         {
1378                                 /* Iterate over all mode chars in the sent set */
1379                                 switch (*x)
1380                                 {
1381                                         /* Adding or subtracting modes? */
1382                                         case '-':
1383                                                 adding = false;
1384                                         break;
1385                                         case '+':
1386                                                 adding = true;
1387                                         break;
1388                                         default:
1389                                                 /* Find the mode handler for this mode */
1390                                                 mh = this->Instance->Modes->FindMode(*x, chan ? MODETYPE_CHANNEL : MODETYPE_USER);
1391
1392                                                 /* Got a mode handler?
1393                                                  * This also prevents us bouncing modes we have no handler for.
1394                                                  */
1395                                                 if (mh)
1396                                                 {
1397                                                         ModePair ret;
1398                                                         std::string p = "";
1399
1400                                                         /* Does the mode require a parameter right now?
1401                                                          * If it does, fetch it if we can
1402                                                          */
1403                                                         if ((mh->GetNumParams(adding) > 0) && (t < params.size()))
1404                                                                 p = params[t++];
1405
1406                                                         /* Call the ModeSet method to determine if its set with the
1407                                                          * given parameter here or not.
1408                                                          */
1409                                                         ret = mh->ModeSet(smode ? NULL : who, dst, chan, p);
1410
1411                                                         /* XXX: Really. Dont ask.
1412                                                          * Determine from if its set combined with what the current
1413                                                          * 'state' is (adding or not) as to wether we should 'invert'
1414                                                          * or 'reinforce' the mode change
1415                                                          */
1416                                                         (!ret.first ? (adding ? cur_change = '-' : cur_change = '+') : (!adding ? cur_change = '-' : cur_change = '+'));
1417
1418                                                         /* Quickly determine if we have 'flipped' from + to -,
1419                                                          * or - to +, to prevent unneccessary +/- chars in the
1420                                                          * output string that waste bandwidth
1421                                                          */
1422                                                         if (cur_change != old_change)
1423                                                                 modebounce += cur_change;
1424                                                         old_change = cur_change;
1425
1426                                                         /* Add the mode character to the output string */
1427                                                         modebounce += mh->GetModeChar();
1428
1429                                                         /* We got a parameter back from ModeHandler::ModeSet,
1430                                                          * are we supposed to be sending one out right now?
1431                                                          */
1432                                                         if (ret.second.length())
1433                                                         {
1434                                                                 if (mh->GetNumParams(cur_change == '+') > 0)
1435                                                                         /* Yes we're supposed to be sending out
1436                                                                          * the parameter. Make sure it goes
1437                                                                          */
1438                                                                         newparams.push_back(ret.second);
1439                                                         }
1440
1441                                                 }
1442                                         break;
1443                                 }
1444                         }
1445                         
1446                         /* Update the parameters for FMODE with the new 'bounced' string */
1447                         newparams[2] = modebounce;
1448                         /* Only send it back the way it came, no need to send it anywhere else */
1449                         DoOneToOne(this->Instance->Config->ServerName,"FMODE",newparams,sourceserv);
1450                         Instance->Log(DEBUG,"FMODE bounced intelligently, our TS less than theirs and the other server is NOT a uline.");
1451                 }
1452                 else
1453                 {
1454                         Instance->Log(DEBUG,"Allow modes, TS lower for sender");
1455                         /* The server was ulined, but something iffy is up with the TS.
1456                          * Sound the alarm bells!
1457                          */
1458                         if ((this->Instance->ULine(sourceserv.c_str())) && (TS > ourTS))
1459                         {
1460                                 this->Instance->WriteOpers("\2WARNING!\2 U-Lined server '%s' has bad TS for '%s' (accepted change): \2SYNC YOUR CLOCKS\2 to avoid this notice",sourceserv.c_str(),params[0].c_str());
1461                         }
1462                         /* Allow the mode, route it to either server or user command handling */
1463                         if (smode)
1464                                 this->Instance->SendMode(modelist,n,who);
1465                         else
1466                                 this->Instance->CallCommandHandler("MODE", modelist, n, who);
1467
1468                         /* HOT POTATO! PASS IT ON! */
1469                         DoOneToAllButSender(source,"FMODE",params,sourceserv);
1470                 }
1471                 /* Are we supposed to free the userrec? */
1472                 if (smode)
1473                         DELETE(who);
1474
1475                 return true;
1476         }
1477
1478         /** FTOPIC command */
1479         bool ForceTopic(std::string source, std::deque<std::string> &params)
1480         {
1481                 if (params.size() != 4)
1482                         return true;
1483                 time_t ts = atoi(params[1].c_str());
1484                 std::string nsource = source;
1485
1486                 chanrec* c = this->Instance->FindChan(params[0]);
1487                 if (c)
1488                 {
1489                         if ((ts >= c->topicset) || (!*c->topic))
1490                         {
1491                                 std::string oldtopic = c->topic;
1492                                 strlcpy(c->topic,params[3].c_str(),MAXTOPIC);
1493                                 strlcpy(c->setby,params[2].c_str(),NICKMAX-1);
1494                                 c->topicset = ts;
1495                                 /* if the topic text is the same as the current topic,
1496                                  * dont bother to send the TOPIC command out, just silently
1497                                  * update the set time and set nick.
1498                                  */
1499                                 if (oldtopic != params[3])
1500                                 {
1501                                         userrec* user = this->Instance->FindNick(source);
1502                                         if (!user)
1503                                         {
1504                                                 c->WriteChannelWithServ(source.c_str(), "TOPIC %s :%s", c->name, c->topic);
1505                                         }
1506                                         else
1507                                         {
1508                                                 c->WriteChannel(user, "TOPIC %s :%s", c->name, c->topic);
1509                                                 nsource = user->server;
1510                                         }
1511                                         /* all done, send it on its way */
1512                                         params[3] = ":" + params[3];
1513                                         DoOneToAllButSender(source,"FTOPIC",params,nsource);
1514                                 }
1515                         }
1516                         
1517                 }
1518
1519                 return true;
1520         }
1521
1522         /** FJOIN, similar to TS6 SJOIN, but not quite. */
1523         bool ForceJoin(std::string source, std::deque<std::string> &params)
1524         {
1525                 /* 1.1 FJOIN works as follows:
1526                  *
1527                  * Each FJOIN is sent along with a timestamp, and the side with the lowest
1528                  * timestamp 'wins'. From this point on we will refer to this side as the
1529                  * winner. The side with the higher timestamp loses, from this point on we
1530                  * will call this side the loser or losing side. This should be familiar to
1531                  * anyone who's dealt with dreamforge or TS6 before.
1532                  *
1533                  * When two sides of a split heal and this occurs, the following things
1534                  * will happen:
1535                  *
1536                  * If the timestamps are exactly equal, both sides merge their privilages
1537                  * and users, as in InspIRCd 1.0 and ircd2.8. The channels have not been
1538                  * re-created during a split, this is safe to do.
1539                  *
1540                  *
1541                  * If the timestamps are NOT equal, the losing side removes all privilage
1542                  * modes from all of its users that currently exist in the channel, before
1543                  * introducing new users into the channel which are listed in the FJOIN
1544                  * command's parameters. This means, all modes +ohv, and privilages added
1545                  * by modules, such as +qa. The losing side then LOWERS its timestamp value
1546                  * of the channel to match that of the winning side, and the modes of the
1547                  * users of the winning side are merged in with the losing side. The loser
1548                  * then sends out a set of FMODE commands which 'confirm' that it just
1549                  * removed all privilage modes from its existing users, which allows for
1550                  * services packages to still work correctly without needing to know the
1551                  * timestamping rules which InspIRCd follows. In TS6 servers this is always
1552                  * a problem, and services packages must contain code which explicitly
1553                  * behaves as TS6 does, removing ops from the losing side of a split where
1554                  * neccessary within its internal records, as this state information is
1555                  * not explicitly echoed out in that protocol.
1556                  *
1557                  * The winning side on the other hand will ignore all user modes from the
1558                  * losing side, so only its own modes get applied. Life is simple for those
1559                  * who succeed at internets. :-)
1560                  *
1561                  * NOTE: Unlike TS6 and dreamforge and other protocols which have SJOIN,
1562                  * FJOIN does not contain the simple-modes such as +iklmnsp. Why not,
1563                  * you ask? Well, quite simply because we don't need to. They'll be sent
1564                  * after the FJOIN by FMODE, and FMODE is timestamped, so in the event
1565                  * the losing side sends any modes for the channel which shouldnt win,
1566                  * they wont as their timestamp will be too high :-)
1567                  */
1568
1569                 if (params.size() < 3)
1570                         return true;
1571
1572                 char first[MAXBUF];             /* The first parameter of the mode command */
1573                 char modestring[MAXBUF];        /* The mode sequence (2nd parameter) of the mode command */
1574                 char* mode_users[127];          /* The values used by the mode command */
1575                 memset(&mode_users,0,sizeof(mode_users));       /* Initialize mode parameters */
1576                 mode_users[0] = first;          /* Set this up to be our on-stack value */
1577                 mode_users[1] = modestring;     /* Same here as above */
1578                 strcpy(modestring,"+");         /* Initialize the mode sequence to just '+' */
1579                 unsigned int modectr = 2;       /* Pointer to the third mode parameter (e.g. the one after the +-sequence) */
1580                 
1581                 userrec* who = NULL;                    /* User we are currently checking */
1582                 std::string channel = params[0];        /* Channel name, as a string */
1583                 time_t TS = atoi(params[1].c_str());    /* Timestamp given to us for remote side */
1584                 
1585                 /* Try and find the channel */
1586                 chanrec* chan = this->Instance->FindChan(channel);
1587
1588                 /* Initialize channel name in the mode parameters */
1589                 strlcpy(mode_users[0],channel.c_str(),MAXBUF);
1590
1591                 /* default TS is a high value, which if we dont have this
1592                  * channel will let the other side apply their modes.
1593                  */
1594                 time_t ourTS = time(NULL)+600;
1595
1596                 /* Does this channel exist? if it does, get its REAL timestamp */
1597                 if (chan)
1598                         ourTS = chan->age;
1599
1600                 /* In 1.1, if they have the newer channel, we immediately clear
1601                  * all status modes from our users. We then accept their modes.
1602                  * If WE have the newer channel its the other side's job to do this.
1603                  * Note that this causes the losing server to send out confirming
1604                  * FMODE lines.
1605                  */
1606                 if (ourTS > TS)
1607                 {
1608                         std::deque<std::string> param_list;
1609
1610                         if (chan)
1611                                 chan->age = TS;
1612
1613                         /* Lower the TS here */
1614                         if (AnnounceTSChange && chan)
1615                                 chan->WriteChannelWithServ(Instance->Config->ServerName,
1616                                 "TS for %s changed from %lu to %lu", chan->name, ourTS, TS);
1617                         ourTS = TS;
1618
1619                         param_list.push_back(channel);
1620                         /* Zap all the privilage modes on our side */
1621                         this->RemoveStatus(Instance->Config->ServerName, param_list);
1622                 }
1623
1624                 /* Put the final parameter of the FJOIN into a tokenstream ready to split it */
1625                 irc::tokenstream users(params[2]);
1626                 std::string item = "*";
1627
1628                 /* do this first, so our mode reversals are correctly received by other servers
1629                  * if there is a TS collision.
1630                  */
1631                 params[2] = ":" + params[2];
1632                 DoOneToAllButSender(source,"FJOIN",params,source);
1633
1634                 /* Now, process every 'prefixes,nick' pair */
1635                 while (item != "")
1636                 {
1637                         /* Find next user */
1638                         item = users.GetToken();
1639
1640                         const char* usr = item.c_str();
1641
1642                         /* Safety check just to make sure someones not sent us an FJOIN full of spaces
1643                          * (is this even possible?) */
1644                         if (usr && *usr)
1645                         {
1646                                 const char* permissions = usr;
1647                                 int ntimes = 0;
1648                                 char* nm = new char[MAXBUF];
1649                                 char* tnm = nm;
1650
1651                                 /* Iterate through all the prefix values, convert them from prefixes
1652                                  * to mode letters, and append them to the mode sequence
1653                                  */
1654                                 while ((*permissions) && (*permissions != ',') && (ntimes < MAXBUF))
1655                                 {
1656                                         ModeHandler* mh = Instance->Modes->FindPrefix(*permissions);
1657                                         if (mh)
1658                                         {
1659                                                 /* This is a valid prefix */
1660                                                 ntimes++;
1661                                                 *tnm++ = mh->GetModeChar();
1662                                         }
1663                                         else
1664                                         {
1665                                                 /* Not a valid prefix...
1666                                                  * danger bill bobbertson! (that's will robinsons older brother ;-) ...)
1667                                                  */
1668                                                 this->Instance->WriteOpers("ERROR: We received a user with an unknown prefix '%c'. Closed connection to avoid a desync.",*permissions);
1669                                                 this->WriteLine(std::string("ERROR :Invalid prefix '")+(*permissions)+"' in FJOIN");
1670                                                 return false;
1671                                         }
1672                                         usr++;
1673                                         permissions++;
1674                                 }
1675
1676                                 /* Null terminate modes */
1677                                 *tnm = 0;
1678                                 /* Advance past the comma, to the nick */
1679                                 usr++;
1680
1681                                 /* Check the user actually exists */
1682                                 who = this->Instance->FindNick(usr);
1683                                 if (who)
1684                                 {
1685                                         /* Did they get any modes? How many times? */
1686                                         strlcat(modestring, nm, MAXBUF);
1687                                         for (int k = 0; k < ntimes; k++)
1688                                                 mode_users[modectr++] = strdup(usr);
1689
1690                                         /* Free temporary buffer used for mode sequence */
1691                                         delete[] nm;
1692
1693                                         /* Check that the user's 'direction' is correct
1694                                          * based on the server sending the FJOIN. We must
1695                                          * check each nickname in turn, because the origin of
1696                                          * the FJOIN may be different to the origin of the nicks
1697                                          * in the command itself.
1698                                          */
1699                                         TreeServer* route_back_again = BestRouteTo(who->server);
1700                                         if ((!route_back_again) || (route_back_again->GetSocket() != this))
1701                                         {
1702                                                 /* Oh dear oh dear. */
1703                                                 Instance->Log(DEBUG,"Fake direction in FJOIN, user '%s'",who->nick);
1704                                                 continue;
1705                                         }
1706                                         /* Finally, we can actually place the user into the channel.
1707                                          * We're sure its right. Final answer, phone a friend.
1708                                          */
1709                                         chanrec::JoinUser(this->Instance, who, channel.c_str(), true, "");
1710
1711                                         /* Have we already queued up MAXMODES modes with parameters
1712                                          * (+qaohv) ready to be sent to the server?
1713                                          */
1714                                         if (modectr >= (MAXMODES-1))
1715                                         {
1716                                                 /* Only actually give the users any status if we lost
1717                                                  * the FJOIN or drew (equal timestamps).
1718                                                  * It isn't actually possible for ourTS to be > TS here,
1719                                                  * only possible to actually have ourTS == TS, or
1720                                                  * ourTS < TS, because if we lost, we already lowered
1721                                                  * our TS above before we entered this loop. We only
1722                                                  * check >= as a safety measure, in case someone stuffed
1723                                                  * up. If someone DID stuff up, it was most likely me.
1724                                                  * Note: I do not like baseball bats in the face...
1725                                                  */
1726                                                 if (ourTS >= TS)
1727                                                 {
1728                                                         Instance->Log(DEBUG,"Our our channel newer than theirs, accepting their modes");
1729                                                         this->Instance->SendMode((const char**)mode_users,modectr,who);
1730
1731                                                         /* Something stuffed up, and for some reason, the timestamp is
1732                                                          * NOT lowered right now and should be. Lower it. Usually this
1733                                                          * code won't be executed, doubtless someone will remove it some
1734                                                          * day soon.
1735                                                          */
1736                                                         if (ourTS > TS)
1737                                                         {
1738                                                                 Instance->Log(DEFAULT,"Channel TS for %s changed from %lu to %lu",chan->name,ourTS,TS);
1739                                                                 chan->age = TS;
1740                                                                 ourTS = TS;
1741                                                         }
1742                                                 }
1743
1744                                                 /* Reset all this back to defaults, and
1745                                                  * free any ram we have left allocated.
1746                                                  */
1747                                                 strcpy(mode_users[1],"+");
1748                                                 for (unsigned int f = 2; f < modectr; f++)
1749                                                         free(mode_users[f]);
1750                                                 modectr = 2;
1751                                         }
1752                                 }
1753                                 else
1754                                 {
1755                                         /* Remember to free this */
1756                                         delete[] nm;
1757                                         /* If we got here, there's a nick in FJOIN which doesnt exist on this server.
1758                                          * We don't try to process the nickname here (that WOULD cause a segfault because
1759                                          * we'd be playing with null pointers) however, we DO pass the nickname on, just
1760                                          * in case somehow we're desynched, so that other users which might be able to see
1761                                          * the nickname get their fair chance to process it.
1762                                          */
1763                                         Instance->Log(SPARSE,"Warning! Invalid user in FJOIN to channel %s IGNORED", channel.c_str());
1764                                         continue;
1765                                 }
1766                         }
1767                 }
1768
1769                 /* there werent enough modes built up to flush it during FJOIN,
1770                  * or, there are a number left over. flush them out.
1771                  */
1772                 if ((modectr > 2) && (who) && (chan))
1773                 {
1774                         if (ourTS >= TS)
1775                         {
1776                                 /* Our channel is newer than theirs. Evil deeds must be afoot. */
1777                                 this->Instance->SendMode((const char**)mode_users,modectr,who);
1778                                 /* Yet again, we can't actually get a true value here, if everything else
1779                                  * is working as it should.
1780                                  */
1781                                 if (ourTS > TS)
1782                                 {
1783                                         Instance->Log(DEFAULT,"Channel TS for %s changed from %lu to %lu",chan->name,ourTS,TS);
1784                                         chan->age = TS;
1785                                         ourTS = TS;
1786                                 }
1787                         }
1788
1789                         /* Free anything we have left to free */
1790                         for (unsigned int f = 2; f < modectr; f++)
1791                                 free(mode_users[f]);
1792                 }
1793
1794                 /* All done. That wasnt so bad was it, you can wipe
1795                  * the sweat from your forehead now. :-)
1796                  */
1797                 return true;
1798         }
1799
1800         /** NICK command */
1801         bool IntroduceClient(std::string source, std::deque<std::string> &params)
1802         {
1803                 if (params.size() < 8)
1804                         return true;
1805                 if (params.size() > 8)
1806                 {
1807                         this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" KILL "+params[1]+" :Invalid client introduction ("+params[1]+"?)");
1808                         return true;
1809                 }
1810                 // NICK age nick host dhost ident +modes ip :gecos
1811                 //       0    1   2     3     4      5   6     7
1812                 time_t age = atoi(params[0].c_str());
1813                 
1814                 /* This used to have a pretty craq'y loop doing the same thing,
1815                  * now we just let the STL do the hard work (more efficiently)
1816                  */
1817                 std::string::size_type pos_after_plus = params[5].find_first_not_of('+');
1818                 if (pos_after_plus != std::string::npos)
1819                         params[5] = params[5].substr(pos_after_plus);
1820                 
1821                 const char* tempnick = params[1].c_str();
1822                 Instance->Log(DEBUG,"Introduce client %s!%s@%s",tempnick,params[4].c_str(),params[2].c_str());
1823                 
1824                 user_hash::iterator iter = this->Instance->clientlist.find(tempnick);
1825                 
1826                 if (iter != this->Instance->clientlist.end())
1827                 {
1828                         // nick collision
1829                         Instance->Log(DEBUG,"Nick collision on %s!%s@%s: %lu %lu",tempnick,params[4].c_str(),params[2].c_str(),(unsigned long)age,(unsigned long)iter->second->age);
1830                         this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" KILL "+tempnick+" :Nickname collision");
1831                         userrec::QuitUser(this->Instance, iter->second, "Nickname collision");
1832                         return true;
1833                 }
1834
1835                 userrec* _new = new userrec(this->Instance);
1836                 this->Instance->clientlist[tempnick] = _new;
1837                 _new->SetFd(FD_MAGIC_NUMBER);
1838                 strlcpy(_new->nick, tempnick,NICKMAX-1);
1839                 strlcpy(_new->host, params[2].c_str(),63);
1840                 strlcpy(_new->dhost, params[3].c_str(),63);
1841                 _new->server = this->Instance->FindServerNamePtr(source.c_str());
1842                 strlcpy(_new->ident, params[4].c_str(),IDENTMAX);
1843                 strlcpy(_new->fullname, params[7].c_str(),MAXGECOS);
1844                 _new->registered = REG_ALL;
1845                 _new->signon = age;
1846                 
1847                 for (std::string::iterator v = params[5].begin(); v != params[5].end(); v++)
1848                         _new->modes[(*v)-65] = 1;
1849
1850 #ifdef SUPPORT_IP6LINKS
1851                 if (params[6].find_first_of(":") != std::string::npos)
1852                         _new->SetSockAddr(AF_INET6, params[6].c_str(), 0);
1853                 else
1854 #endif
1855                         _new->SetSockAddr(AF_INET, params[6].c_str(), 0);
1856
1857                 this->Instance->SNO->WriteToSnoMask('C',"Client connecting at %s: %s!%s@%s [%s]",_new->server,_new->nick,_new->ident,_new->host, _new->GetIPString());
1858
1859                 params[7] = ":" + params[7];
1860                 DoOneToAllButSender(source,"NICK",params,source);
1861
1862                 // Increment the Source Servers User Count..
1863                 TreeServer* SourceServer = FindServer(source);
1864                 if (SourceServer)
1865                 {
1866                         Instance->Log(DEBUG,"Found source server of %s",_new->nick);
1867                         SourceServer->AddUserCount();
1868                 }
1869
1870                 FOREACH_MOD(I_OnPostConnect,OnPostConnect(_new));
1871
1872                 return true;
1873         }
1874
1875         /** Send one or more FJOINs for a channel of users.
1876          * If the length of a single line is more than 480-NICKMAX
1877          * in length, it is split over multiple lines.
1878          */
1879         void SendFJoins(TreeServer* Current, chanrec* c)
1880         {
1881                 Instance->Log(DEBUG,"Sending FJOINs to other server for %s",c->name);
1882                 char list[MAXBUF];
1883                 std::string individual_halfops = std::string(":")+this->Instance->Config->ServerName+" FMODE "+c->name+" "+ConvToStr(c->age);
1884                 
1885                 size_t dlen, curlen;
1886                 dlen = curlen = snprintf(list,MAXBUF,":%s FJOIN %s %lu",this->Instance->Config->ServerName,c->name,(unsigned long)c->age);
1887                 int numusers = 0;
1888                 char* ptr = list + dlen;
1889
1890                 CUList *ulist = c->GetUsers();
1891                 std::vector<userrec*> specific_halfop;
1892                 std::vector<userrec*> specific_voice;
1893                 std::string modes = "";
1894                 std::string params = "";
1895
1896                 for (CUList::iterator i = ulist->begin(); i != ulist->end(); i++)
1897                 {
1898                         // The first parameter gets a : before it
1899                         size_t ptrlen = snprintf(ptr, MAXBUF, " %s%s,%s", !numusers ? ":" : "", c->GetAllPrefixChars(i->second), i->second->nick);
1900
1901                         curlen += ptrlen;
1902                         ptr += ptrlen;
1903
1904                         numusers++;
1905
1906                         if (curlen > (480-NICKMAX))
1907                         {
1908                                 this->WriteLine(list);
1909                                 dlen = curlen = snprintf(list,MAXBUF,":%s FJOIN %s %lu",this->Instance->Config->ServerName,c->name,(unsigned long)c->age);
1910                                 ptr = list + dlen;
1911                                 ptrlen = 0;
1912                                 numusers = 0;
1913                         }
1914                 }
1915
1916                 if (numusers)
1917                         this->WriteLine(list);
1918
1919                 for (BanList::iterator b = c->bans.begin(); b != c->bans.end(); b++)
1920                 {
1921                         modes.append("b");
1922                         params.append(b->data).append(" ");
1923                 }
1924                 this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" FMODE "+c->name+" "+ConvToStr(c->age)+" +"+c->ChanModes(true)+modes+" "+params);
1925         }
1926
1927         /** Send G, Q, Z and E lines */
1928         void SendXLines(TreeServer* Current)
1929         {
1930                 char data[MAXBUF];
1931                 std::string n = this->Instance->Config->ServerName;
1932                 const char* sn = n.c_str();
1933                 int iterations = 0;
1934                 /* Yes, these arent too nice looking, but they get the job done */
1935                 for (std::vector<ZLine*>::iterator i = Instance->XLines->zlines.begin(); i != Instance->XLines->zlines.end(); i++, iterations++)
1936                 {
1937                         snprintf(data,MAXBUF,":%s ADDLINE Z %s %s %lu %lu :%s",sn,(*i)->ipaddr,(*i)->source,(unsigned long)(*i)->set_time,(unsigned long)(*i)->duration,(*i)->reason);
1938                         this->WriteLine(data);
1939                 }
1940                 for (std::vector<QLine*>::iterator i = Instance->XLines->qlines.begin(); i != Instance->XLines->qlines.end(); i++, iterations++)
1941                 {
1942                         snprintf(data,MAXBUF,":%s ADDLINE Q %s %s %lu %lu :%s",sn,(*i)->nick,(*i)->source,(unsigned long)(*i)->set_time,(unsigned long)(*i)->duration,(*i)->reason);
1943                         this->WriteLine(data);
1944                 }
1945                 for (std::vector<GLine*>::iterator i = Instance->XLines->glines.begin(); i != Instance->XLines->glines.end(); i++, iterations++)
1946                 {
1947                         snprintf(data,MAXBUF,":%s ADDLINE G %s %s %lu %lu :%s",sn,(*i)->hostmask,(*i)->source,(unsigned long)(*i)->set_time,(unsigned long)(*i)->duration,(*i)->reason);
1948                         this->WriteLine(data);
1949                 }
1950                 for (std::vector<ELine*>::iterator i = Instance->XLines->elines.begin(); i != Instance->XLines->elines.end(); i++, iterations++)
1951                 {
1952                         snprintf(data,MAXBUF,":%s ADDLINE E %s %s %lu %lu :%s",sn,(*i)->hostmask,(*i)->source,(unsigned long)(*i)->set_time,(unsigned long)(*i)->duration,(*i)->reason);
1953                         this->WriteLine(data);
1954                 }
1955                 for (std::vector<ZLine*>::iterator i = Instance->XLines->pzlines.begin(); i != Instance->XLines->pzlines.end(); i++, iterations++)
1956                 {
1957                         snprintf(data,MAXBUF,":%s ADDLINE Z %s %s %lu %lu :%s",sn,(*i)->ipaddr,(*i)->source,(unsigned long)(*i)->set_time,(unsigned long)(*i)->duration,(*i)->reason);
1958                         this->WriteLine(data);
1959                 }
1960                 for (std::vector<QLine*>::iterator i = Instance->XLines->pqlines.begin(); i != Instance->XLines->pqlines.end(); i++, iterations++)
1961                 {
1962                         snprintf(data,MAXBUF,":%s ADDLINE Q %s %s %lu %lu :%s",sn,(*i)->nick,(*i)->source,(unsigned long)(*i)->set_time,(unsigned long)(*i)->duration,(*i)->reason);
1963                         this->WriteLine(data);
1964                 }
1965                 for (std::vector<GLine*>::iterator i = Instance->XLines->pglines.begin(); i != Instance->XLines->pglines.end(); i++, iterations++)
1966                 {
1967                         snprintf(data,MAXBUF,":%s ADDLINE G %s %s %lu %lu :%s",sn,(*i)->hostmask,(*i)->source,(unsigned long)(*i)->set_time,(unsigned long)(*i)->duration,(*i)->reason);
1968                         this->WriteLine(data);
1969                 }
1970                 for (std::vector<ELine*>::iterator i = Instance->XLines->pelines.begin(); i != Instance->XLines->pelines.end(); i++, iterations++)
1971                 {
1972                         snprintf(data,MAXBUF,":%s ADDLINE E %s %s %lu %lu :%s",sn,(*i)->hostmask,(*i)->source,(unsigned long)(*i)->set_time,(unsigned long)(*i)->duration,(*i)->reason);
1973                         this->WriteLine(data);
1974                 }
1975         }
1976
1977         /** Send channel modes and topics */
1978         void SendChannelModes(TreeServer* Current)
1979         {
1980                 char data[MAXBUF];
1981                 std::deque<std::string> list;
1982                 int iterations = 0;
1983                 std::string n = this->Instance->Config->ServerName;
1984                 const char* sn = n.c_str();
1985                 for (chan_hash::iterator c = this->Instance->chanlist.begin(); c != this->Instance->chanlist.end(); c++, iterations++)
1986                 {
1987                         SendFJoins(Current, c->second);
1988                         if (*c->second->topic)
1989                         {
1990                                 snprintf(data,MAXBUF,":%s FTOPIC %s %lu %s :%s",sn,c->second->name,(unsigned long)c->second->topicset,c->second->setby,c->second->topic);
1991                                 this->WriteLine(data);
1992                         }
1993                         FOREACH_MOD_I(this->Instance,I_OnSyncChannel,OnSyncChannel(c->second,(Module*)TreeProtocolModule,(void*)this));
1994                         list.clear();
1995                         c->second->GetExtList(list);
1996                         for (unsigned int j = 0; j < list.size(); j++)
1997                         {
1998                                 FOREACH_MOD_I(this->Instance,I_OnSyncChannelMetaData,OnSyncChannelMetaData(c->second,(Module*)TreeProtocolModule,(void*)this,list[j]));
1999                         }
2000                 }
2001         }
2002
2003         /** send all users and their oper state/modes */
2004         void SendUsers(TreeServer* Current)
2005         {
2006                 char data[MAXBUF];
2007                 std::deque<std::string> list;
2008                 int iterations = 0;
2009                 for (user_hash::iterator u = this->Instance->clientlist.begin(); u != this->Instance->clientlist.end(); u++, iterations++)
2010                 {
2011                         if (u->second->registered == REG_ALL)
2012                         {
2013                                 snprintf(data,MAXBUF,":%s NICK %lu %s %s %s %s +%s %s :%s",u->second->server,(unsigned long)u->second->age,u->second->nick,u->second->host,u->second->dhost,u->second->ident,u->second->FormatModes(),u->second->GetIPString(),u->second->fullname);
2014                                 this->WriteLine(data);
2015                                 if (*u->second->oper)
2016                                 {
2017                                         this->WriteLine(":"+std::string(u->second->nick)+" OPERTYPE "+std::string(u->second->oper));
2018                                 }
2019                                 if (*u->second->awaymsg)
2020                                 {
2021                                         this->WriteLine(":"+std::string(u->second->nick)+" AWAY :"+std::string(u->second->awaymsg));
2022                                 }
2023                                 FOREACH_MOD_I(this->Instance,I_OnSyncUser,OnSyncUser(u->second,(Module*)TreeProtocolModule,(void*)this));
2024                                 list.clear();
2025                                 u->second->GetExtList(list);
2026                                 for (unsigned int j = 0; j < list.size(); j++)
2027                                 {
2028                                         FOREACH_MOD_I(this->Instance,I_OnSyncUserMetaData,OnSyncUserMetaData(u->second,(Module*)TreeProtocolModule,(void*)this,list[j]));
2029                                 }
2030                         }
2031                 }
2032         }
2033
2034         /** This function is called when we want to send a netburst to a local
2035          * server. There is a set order we must do this, because for example
2036          * users require their servers to exist, and channels require their
2037          * users to exist. You get the idea.
2038          */
2039         void DoBurst(TreeServer* s)
2040         {
2041                 std::string burst = "BURST "+ConvToStr(time(NULL));
2042                 std::string endburst = "ENDBURST";
2043                 // Because by the end of the netburst, it  could be gone!
2044                 std::string name = s->GetName();
2045                 this->Instance->SNO->WriteToSnoMask('l',"Bursting to \2"+name+"\2.");
2046                 this->WriteLine(burst);
2047                 /* send our version string */
2048                 this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" VERSION :"+this->Instance->GetVersionString());
2049                 /* Send server tree */
2050                 this->SendServers(TreeRoot,s,1);
2051                 /* Send users and their oper status */
2052                 this->SendUsers(s);
2053                 /* Send everything else (channel modes, xlines etc) */
2054                 this->SendChannelModes(s);
2055                 this->SendXLines(s);            
2056                 FOREACH_MOD_I(this->Instance,I_OnSyncOtherMetaData,OnSyncOtherMetaData((Module*)TreeProtocolModule,(void*)this));
2057                 this->WriteLine(endburst);
2058                 this->Instance->SNO->WriteToSnoMask('l',"Finished bursting to \2"+name+"\2.");
2059         }
2060
2061         /** This function is called when we receive data from a remote
2062          * server. We buffer the data in a std::string (it doesnt stay
2063          * there for long), reading using InspSocket::Read() which can
2064          * read up to 16 kilobytes in one operation.
2065          *
2066          * IF THIS FUNCTION RETURNS FALSE, THE CORE CLOSES AND DELETES
2067          * THE SOCKET OBJECT FOR US.
2068          */
2069         virtual bool OnDataReady()
2070         {
2071                 char* data = this->Read();
2072                 /* Check that the data read is a valid pointer and it has some content */
2073                 if (data && *data)
2074                 {
2075                         this->in_buffer.append(data);
2076                         /* While there is at least one new line in the buffer,
2077                          * do something useful (we hope!) with it.
2078                          */
2079                         while (in_buffer.find("\n") != std::string::npos)
2080                         {
2081                                 std::string ret = in_buffer.substr(0,in_buffer.find("\n")-1);
2082                                 in_buffer = in_buffer.substr(in_buffer.find("\n")+1,in_buffer.length()-in_buffer.find("\n"));
2083                                 if (ret.find("\r") != std::string::npos)
2084                                         ret = in_buffer.substr(0,in_buffer.find("\r")-1);
2085                                 /* Process this one, abort if it
2086                                  * didnt return true.
2087                                  */
2088                                 if (this->ctx_in)
2089                                 {
2090                                         char out[1024];
2091                                         char result[1024];
2092                                         memset(result,0,1024);
2093                                         memset(out,0,1024);
2094                                         /* ERROR + CAPAB is still allowed unencryped */
2095                                         if ((ret.substr(0,7) != "ERROR :") && (ret.substr(0,6) != "CAPAB "))
2096                                         {
2097                                                 int nbytes = from64tobits(out, ret.c_str(), 1024);
2098                                                 if ((nbytes > 0) && (nbytes < 1024))
2099                                                 {
2100                                                         ctx_in->Decrypt(out, result, nbytes, 0);
2101                                                         for (int t = 0; t < nbytes; t++)
2102                                                                 if (result[t] == '\7') result[t] = 0;
2103                                                         ret = result;
2104                                                 }
2105                                         }
2106                                 }
2107                                 if (!this->ProcessLine(ret))
2108                                 {
2109                                         Instance->Log(DEBUG,"ProcessLine says no!");
2110                                         return false;
2111                                 }
2112                         }
2113                         return true;
2114                 }
2115                 /* EAGAIN returns an empty but non-NULL string, so this
2116                  * evaluates to TRUE for EAGAIN but to FALSE for EOF.
2117                  */
2118                 return (data && !*data);
2119         }
2120
2121         int WriteLine(std::string line)
2122         {
2123                 Instance->Log(DEBUG,"OUT: %s",line.c_str());
2124                 if (this->ctx_out)
2125                 {
2126                         char result[10240];
2127                         char result64[10240];
2128                         if (this->keylength)
2129                         {
2130                                 // pad it to the key length
2131                                 int n = this->keylength - (line.length() % this->keylength);
2132                                 if (n)
2133                                         line.append(n,'\7');
2134                         }
2135                         unsigned int ll = line.length();
2136                         ctx_out->Encrypt(line.c_str(), result, ll, 0);
2137                         to64frombits((unsigned char*)result64,(unsigned char*)result,ll);
2138                         line = result64;
2139                 }
2140                 return this->Write(line + "\r\n");
2141         }
2142
2143         /* Handle ERROR command */
2144         bool Error(std::deque<std::string> &params)
2145         {
2146                 if (params.size() < 1)
2147                         return false;
2148                 this->Instance->SNO->WriteToSnoMask('l',"ERROR from %s: %s",(InboundServerName != "" ? InboundServerName.c_str() : myhost.c_str()),params[0].c_str());
2149                 /* we will return false to cause the socket to close. */
2150                 return false;
2151         }
2152
2153         /** remote MOTD. leet, huh? */
2154         bool Motd(std::string prefix, std::deque<std::string> &params)
2155         {
2156                 if (params.size() > 0)
2157                 {
2158                         if (this->Instance->MatchText(this->Instance->Config->ServerName, params[0]))
2159                         {
2160                                 /* It's for our server */
2161                                 string_list results;
2162                                 userrec* source = this->Instance->FindNick(prefix);
2163
2164                                 if (source)
2165                                 {
2166                                         std::deque<std::string> par;
2167                                         par.push_back(prefix);
2168                                         par.push_back("");
2169
2170                                         if (!Instance->Config->MOTD.size())
2171                                         {
2172                                                 par[1] = std::string("::")+Instance->Config->ServerName+" 422 "+source->nick+" :Message of the day file is missing.";
2173                                                 DoOneToOne(this->Instance->Config->ServerName, "PUSH",par, source->server);
2174                                                 return true;
2175                                         }
2176    
2177                                         par[1] = std::string("::")+Instance->Config->ServerName+" 375 "+source->nick+" :"+Instance->Config->ServerName+" message of the day";
2178                                         DoOneToOne(this->Instance->Config->ServerName, "PUSH",par, source->server);
2179    
2180                                         for (unsigned int i = 0; i < Instance->Config->MOTD.size(); i++)
2181                                         {
2182                                                 par[1] = std::string("::")+Instance->Config->ServerName+" 372 "+source->nick+" :- "+Instance->Config->MOTD[i];
2183                                                 DoOneToOne(this->Instance->Config->ServerName, "PUSH",par, source->server);
2184                                         }
2185      
2186                                         par[1] = std::string("::")+Instance->Config->ServerName+" 376 "+source->nick+" End of message of the day.";
2187                                         DoOneToOne(this->Instance->Config->ServerName, "PUSH",par, source->server);
2188                                 }
2189                         }
2190                         else
2191                         {
2192                                 /* Pass it on */
2193                                 userrec* source = this->Instance->FindNick(prefix);
2194                                 if (source)
2195                                         DoOneToOne(prefix, "MOTD", params, params[0]);
2196                         }
2197                 }
2198                 return true;
2199         }
2200
2201         /** remote ADMIN. leet, huh? */
2202         bool Admin(std::string prefix, std::deque<std::string> &params)
2203         {
2204                 if (params.size() > 0)
2205                 {
2206                         if (this->Instance->MatchText(this->Instance->Config->ServerName, params[0]))
2207                         {
2208                                 /* It's for our server */
2209                                 string_list results;
2210                                 userrec* source = this->Instance->FindNick(prefix);
2211
2212                                 if (source)
2213                                 {
2214                                         std::deque<std::string> par;
2215                                         par.push_back(prefix);
2216                                         par.push_back("");
2217
2218                                         par[1] = std::string("::")+Instance->Config->ServerName+" 256 "+source->nick+" :Administrative info for "+Instance->Config->ServerName;
2219                                         DoOneToOne(this->Instance->Config->ServerName, "PUSH",par, source->server);
2220
2221                                         par[1] = std::string("::")+Instance->Config->ServerName+" 257 "+source->nick+" :Name     - "+Instance->Config->AdminName;
2222                                         DoOneToOne(this->Instance->Config->ServerName, "PUSH",par, source->server);
2223
2224                                         par[1] = std::string("::")+Instance->Config->ServerName+" 258 "+source->nick+" :Nickname - "+Instance->Config->AdminNick;
2225                                         DoOneToOne(this->Instance->Config->ServerName, "PUSH",par, source->server);
2226
2227                                         par[1] = std::string("::")+Instance->Config->ServerName+" 258 "+source->nick+" :E-Mail   - "+Instance->Config->AdminEmail;
2228                                         DoOneToOne(this->Instance->Config->ServerName, "PUSH",par, source->server);
2229                                 }
2230                         }
2231                         else
2232                         {
2233                                 /* Pass it on */
2234                                 userrec* source = this->Instance->FindNick(prefix);
2235                                 if (source)
2236                                         DoOneToOne(prefix, "ADMIN", params, params[0]);
2237                         }
2238                 }
2239                 return true;
2240         }
2241
2242         bool Stats(std::string prefix, std::deque<std::string> &params)
2243         {
2244                 /* Get the reply to a STATS query if it matches this servername,
2245                  * and send it back as a load of PUSH queries
2246                  */
2247                 if (params.size() > 1)
2248                 {
2249                         if (this->Instance->MatchText(this->Instance->Config->ServerName, params[1]))
2250                         {
2251                                 /* It's for our server */
2252                                 string_list results;
2253                                 userrec* source = this->Instance->FindNick(prefix);
2254                                 if (source)
2255                                 {
2256                                         std::deque<std::string> par;
2257                                         par.push_back(prefix);
2258                                         par.push_back("");
2259                                         DoStats(this->Instance, *(params[0].c_str()), source, results);
2260                                         for (size_t i = 0; i < results.size(); i++)
2261                                         {
2262                                                 par[1] = "::" + results[i];
2263                                                 DoOneToOne(this->Instance->Config->ServerName, "PUSH",par, source->server);
2264                                         }
2265                                 }
2266                         }
2267                         else
2268                         {
2269                                 /* Pass it on */
2270                                 userrec* source = this->Instance->FindNick(prefix);
2271                                 if (source)
2272                                         DoOneToOne(prefix, "STATS", params, params[1]);
2273                         }
2274                 }
2275                 return true;
2276         }
2277
2278
2279         /** Because the core won't let users or even SERVERS set +o,
2280          * we use the OPERTYPE command to do this.
2281          */
2282         bool OperType(std::string prefix, std::deque<std::string> &params)
2283         {
2284                 if (params.size() != 1)
2285                 {
2286                         Instance->Log(DEBUG,"Received invalid oper type from %s",prefix.c_str());
2287                         return true;
2288                 }
2289                 std::string opertype = params[0];
2290                 userrec* u = this->Instance->FindNick(prefix);
2291                 if (u)
2292                 {
2293                         u->modes[UM_OPERATOR] = 1;
2294                         strlcpy(u->oper,opertype.c_str(),NICKMAX-1);
2295                         DoOneToAllButSender(u->nick,"OPERTYPE",params,u->server);
2296                 }
2297                 return true;
2298         }
2299
2300         /** Because Andy insists that services-compatible servers must
2301          * implement SVSNICK and SVSJOIN, that's exactly what we do :p
2302          */
2303         bool ForceNick(std::string prefix, std::deque<std::string> &params)
2304         {
2305                 if (params.size() < 3)
2306                         return true;
2307
2308                 userrec* u = this->Instance->FindNick(params[0]);
2309
2310                 if (u)
2311                 {
2312                         DoOneToAllButSender(prefix,"SVSNICK",params,prefix);
2313                         if (IS_LOCAL(u))
2314                         {
2315                                 std::deque<std::string> par;
2316                                 par.push_back(params[1]);
2317                                 /* This is not required as one is sent in OnUserPostNick below
2318                                  */
2319                                 //DoOneToMany(u->nick,"NICK",par);
2320                                 if (!u->ForceNickChange(params[1].c_str()))
2321                                 {
2322                                         userrec::QuitUser(this->Instance, u, "Nickname collision");
2323                                         return true;
2324                                 }
2325                                 u->age = atoi(params[2].c_str());
2326                         }
2327                 }
2328                 return true;
2329         }
2330
2331         bool ServiceJoin(std::string prefix, std::deque<std::string> &params)
2332         {
2333                 if (params.size() < 2)
2334                         return true;
2335
2336                 userrec* u = this->Instance->FindNick(params[0]);
2337
2338                 if (u)
2339                 {
2340                         chanrec::JoinUser(this->Instance, u, params[1].c_str(), false);
2341                         DoOneToAllButSender(prefix,"SVSJOIN",params,prefix);
2342                 }
2343                 return true;
2344         }
2345
2346         bool RemoteRehash(std::string prefix, std::deque<std::string> &params)
2347         {
2348                 if (params.size() < 1)
2349                         return false;
2350
2351                 std::string servermask = params[0];
2352
2353                 if (this->Instance->MatchText(this->Instance->Config->ServerName,servermask))
2354                 {
2355                         this->Instance->SNO->WriteToSnoMask('l',"Remote rehash initiated from server \002"+prefix+"\002.");
2356                         this->Instance->RehashServer();
2357                         ReadConfiguration(false);
2358                         InitializeDisabledCommands(ServerInstance->Config->DisabledCommands, ServerInstance);
2359                 }
2360                 DoOneToAllButSender(prefix,"REHASH",params,prefix);
2361                 return true;
2362         }
2363
2364         bool RemoteKill(std::string prefix, std::deque<std::string> &params)
2365         {
2366                 if (params.size() != 2)
2367                         return true;
2368
2369                 std::string nick = params[0];
2370                 userrec* u = this->Instance->FindNick(prefix);
2371                 userrec* who = this->Instance->FindNick(nick);
2372
2373                 if (who)
2374                 {
2375                         /* Prepend kill source, if we don't have one */
2376                         std::string sourceserv = prefix;
2377                         if (u)
2378                         {
2379                                 sourceserv = u->server;
2380                         }
2381                         if (*(params[1].c_str()) != '[')
2382                         {
2383                                 params[1] = "[" + sourceserv + "] Killed (" + params[1] +")";
2384                         }
2385                         std::string reason = params[1];
2386                         params[1] = ":" + params[1];
2387                         DoOneToAllButSender(prefix,"KILL",params,sourceserv);
2388                         who->Write(":%s KILL %s :%s (%s)", sourceserv.c_str(), who->nick, sourceserv.c_str(), reason.c_str());
2389                         userrec::QuitUser(this->Instance,who,reason);
2390                 }
2391                 return true;
2392         }
2393
2394         bool LocalPong(std::string prefix, std::deque<std::string> &params)
2395         {
2396                 if (params.size() < 1)
2397                         return true;
2398
2399                 if (params.size() == 1)
2400                 {
2401                         TreeServer* ServerSource = FindServer(prefix);
2402                         if (ServerSource)
2403                         {
2404                                 ServerSource->SetPingFlag();
2405                         }
2406                 }
2407                 else
2408                 {
2409                         std::string forwardto = params[1];
2410                         if (forwardto == this->Instance->Config->ServerName)
2411                         {
2412                                 /*
2413                                  * this is a PONG for us
2414                                  * if the prefix is a user, check theyre local, and if they are,
2415                                  * dump the PONG reply back to their fd. If its a server, do nowt.
2416                                  * Services might want to send these s->s, but we dont need to yet.
2417                                  */
2418                                 userrec* u = this->Instance->FindNick(prefix);
2419
2420                                 if (u)
2421                                 {
2422                                         u->WriteServ("PONG %s %s",params[0].c_str(),params[1].c_str());
2423                                 }
2424                         }
2425                         else
2426                         {
2427                                 // not for us, pass it on :)
2428                                 DoOneToOne(prefix,"PONG",params,forwardto);
2429                         }
2430                 }
2431
2432                 return true;
2433         }
2434         
2435         bool MetaData(std::string prefix, std::deque<std::string> &params)
2436         {
2437                 if (params.size() < 3)
2438                         return true;
2439
2440                 TreeServer* ServerSource = FindServer(prefix);
2441
2442                 if (ServerSource)
2443                 {
2444                         if (params[0] == "*")
2445                         {
2446                                 FOREACH_MOD_I(this->Instance,I_OnDecodeMetaData,OnDecodeMetaData(TYPE_OTHER,NULL,params[1],params[2]));
2447                         }
2448                         else if (*(params[0].c_str()) == '#')
2449                         {
2450                                 chanrec* c = this->Instance->FindChan(params[0]);
2451                                 if (c)
2452                                 {
2453                                         FOREACH_MOD_I(this->Instance,I_OnDecodeMetaData,OnDecodeMetaData(TYPE_CHANNEL,c,params[1],params[2]));
2454                                 }
2455                         }
2456                         else if (*(params[0].c_str()) != '#')
2457                         {
2458                                 userrec* u = this->Instance->FindNick(params[0]);
2459                                 if (u)
2460                                 {
2461                                         FOREACH_MOD_I(this->Instance,I_OnDecodeMetaData,OnDecodeMetaData(TYPE_USER,u,params[1],params[2]));
2462                                 }
2463                         }
2464                 }
2465
2466                 params[2] = ":" + params[2];
2467                 DoOneToAllButSender(prefix,"METADATA",params,prefix);
2468                 return true;
2469         }
2470
2471         bool ServerVersion(std::string prefix, std::deque<std::string> &params)
2472         {
2473                 if (params.size() < 1)
2474                         return true;
2475
2476                 TreeServer* ServerSource = FindServer(prefix);
2477
2478                 if (ServerSource)
2479                 {
2480                         ServerSource->SetVersion(params[0]);
2481                 }
2482                 params[0] = ":" + params[0];
2483                 DoOneToAllButSender(prefix,"VERSION",params,prefix);
2484                 return true;
2485         }
2486
2487         bool ChangeHost(std::string prefix, std::deque<std::string> &params)
2488         {
2489                 if (params.size() < 1)
2490                         return true;
2491
2492                 userrec* u = this->Instance->FindNick(prefix);
2493
2494                 if (u)
2495                 {
2496                         u->ChangeDisplayedHost(params[0].c_str());
2497                         DoOneToAllButSender(prefix,"FHOST",params,u->server);
2498                 }
2499                 return true;
2500         }
2501
2502         bool AddLine(std::string prefix, std::deque<std::string> &params)
2503         {
2504                 if (params.size() < 6)
2505                         return true;
2506
2507                 bool propogate = false;
2508
2509                 switch (*(params[0].c_str()))
2510                 {
2511                         case 'Z':
2512                                 propogate = Instance->XLines->add_zline(atoi(params[4].c_str()), params[2].c_str(), params[5].c_str(), params[1].c_str());
2513                                 Instance->XLines->zline_set_creation_time(params[1].c_str(), atoi(params[3].c_str()));
2514                         break;
2515                         case 'Q':
2516                                 propogate = Instance->XLines->add_qline(atoi(params[4].c_str()), params[2].c_str(), params[5].c_str(), params[1].c_str());
2517                                 Instance->XLines->qline_set_creation_time(params[1].c_str(), atoi(params[3].c_str()));
2518                         break;
2519                         case 'E':
2520                                 propogate = Instance->XLines->add_eline(atoi(params[4].c_str()), params[2].c_str(), params[5].c_str(), params[1].c_str());
2521                                 Instance->XLines->eline_set_creation_time(params[1].c_str(), atoi(params[3].c_str()));
2522                         break;
2523                         case 'G':
2524                                 propogate = Instance->XLines->add_gline(atoi(params[4].c_str()), params[2].c_str(), params[5].c_str(), params[1].c_str());
2525                                 Instance->XLines->gline_set_creation_time(params[1].c_str(), atoi(params[3].c_str()));
2526                         break;
2527                         case 'K':
2528                                 propogate = Instance->XLines->add_kline(atoi(params[4].c_str()), params[2].c_str(), params[5].c_str(), params[1].c_str());
2529                         break;
2530                         default:
2531                                 /* Just in case... */
2532                                 this->Instance->SNO->WriteToSnoMask('x',"\2WARNING\2: Invalid xline type '"+params[0]+"' sent by server "+prefix+", ignored!");
2533                                 propogate = false;
2534                         break;
2535                 }
2536
2537                 /* Send it on its way */
2538                 if (propogate)
2539                 {
2540                         if (atoi(params[4].c_str()))
2541                         {
2542                                 this->Instance->SNO->WriteToSnoMask('x',"%s Added %cLINE on %s to expire in %lu seconds (%s).",prefix.c_str(),*(params[0].c_str()),params[1].c_str(),atoi(params[4].c_str()),params[5].c_str());
2543                         }
2544                         else
2545                         {
2546                                 this->Instance->SNO->WriteToSnoMask('x',"%s Added permenant %cLINE on %s (%s).",prefix.c_str(),*(params[0].c_str()),params[1].c_str(),params[5].c_str());
2547                         }
2548                         params[5] = ":" + params[5];
2549                         DoOneToAllButSender(prefix,"ADDLINE",params,prefix);
2550                 }
2551                 if (!this->bursting)
2552                 {
2553                         Instance->Log(DEBUG,"Applying lines...");
2554                         Instance->XLines->apply_lines(APPLY_ZLINES|APPLY_GLINES|APPLY_QLINES);
2555                 }
2556                 return true;
2557         }
2558
2559         bool ChangeName(std::string prefix, std::deque<std::string> &params)
2560         {
2561                 if (params.size() < 1)
2562                         return true;
2563
2564                 userrec* u = this->Instance->FindNick(prefix);
2565
2566                 if (u)
2567                 {
2568                         u->ChangeName(params[0].c_str());
2569                         params[0] = ":" + params[0];
2570                         DoOneToAllButSender(prefix,"FNAME",params,u->server);
2571                 }
2572                 return true;
2573         }
2574
2575         bool Whois(std::string prefix, std::deque<std::string> &params)
2576         {
2577                 if (params.size() < 1)
2578                         return true;
2579
2580                 Instance->Log(DEBUG,"In IDLE command");
2581                 userrec* u = this->Instance->FindNick(prefix);
2582
2583                 if (u)
2584                 {
2585                         Instance->Log(DEBUG,"USER EXISTS: %s",u->nick);
2586                         // an incoming request
2587                         if (params.size() == 1)
2588                         {
2589                                 userrec* x = this->Instance->FindNick(params[0]);
2590                                 if ((x) && (IS_LOCAL(x)))
2591                                 {
2592                                         userrec* x = this->Instance->FindNick(params[0]);
2593                                         char signon[MAXBUF];
2594                                         char idle[MAXBUF];
2595
2596                                         snprintf(signon,MAXBUF,"%lu",(unsigned long)x->signon);
2597                                         snprintf(idle,MAXBUF,"%lu",(unsigned long)abs((x->idle_lastmsg)-time(NULL)));
2598                                         std::deque<std::string> par;
2599                                         par.push_back(prefix);
2600                                         par.push_back(signon);
2601                                         par.push_back(idle);
2602                                         // ours, we're done, pass it BACK
2603                                         DoOneToOne(params[0],"IDLE",par,u->server);
2604                                 }
2605                                 else
2606                                 {
2607                                         // not ours pass it on
2608                                         DoOneToOne(prefix,"IDLE",params,x->server);
2609                                 }
2610                         }
2611                         else if (params.size() == 3)
2612                         {
2613                                 std::string who_did_the_whois = params[0];
2614                                 userrec* who_to_send_to = this->Instance->FindNick(who_did_the_whois);
2615                                 if ((who_to_send_to) && (IS_LOCAL(who_to_send_to)))
2616                                 {
2617                                         // an incoming reply to a whois we sent out
2618                                         std::string nick_whoised = prefix;
2619                                         unsigned long signon = atoi(params[1].c_str());
2620                                         unsigned long idle = atoi(params[2].c_str());
2621                                         if ((who_to_send_to) && (IS_LOCAL(who_to_send_to)))
2622                                                 do_whois(this->Instance,who_to_send_to,u,signon,idle,nick_whoised.c_str());
2623                                 }
2624                                 else
2625                                 {
2626                                         // not ours, pass it on
2627                                         DoOneToOne(prefix,"IDLE",params,who_to_send_to->server);
2628                                 }
2629                         }
2630                 }
2631                 return true;
2632         }
2633
2634         bool Push(std::string prefix, std::deque<std::string> &params)
2635         {
2636                 if (params.size() < 2)
2637                         return true;
2638
2639                 userrec* u = this->Instance->FindNick(params[0]);
2640
2641                 if (!u)
2642                         return true;
2643
2644                 if (IS_LOCAL(u))
2645                 {
2646                         u->Write(params[1]);
2647                 }
2648                 else
2649                 {
2650                         // continue the raw onwards
2651                         params[1] = ":" + params[1];
2652                         DoOneToOne(prefix,"PUSH",params,u->server);
2653                 }
2654                 return true;
2655         }
2656
2657         bool Time(std::string prefix, std::deque<std::string> &params)
2658         {
2659                 // :source.server TIME remote.server sendernick
2660                 // :remote.server TIME source.server sendernick TS
2661                 if (params.size() == 2)
2662                 {
2663                         // someone querying our time?
2664                         if (this->Instance->Config->ServerName == params[0])
2665                         {
2666                                 userrec* u = this->Instance->FindNick(params[1]);
2667                                 if (u)
2668                                 {
2669                                         char curtime[256];
2670                                         snprintf(curtime,256,"%lu",(unsigned long)time(NULL));
2671                                         params.push_back(curtime);
2672                                         params[0] = prefix;
2673                                         DoOneToOne(this->Instance->Config->ServerName,"TIME",params,params[0]);
2674                                 }
2675                         }
2676                         else
2677                         {
2678                                 // not us, pass it on
2679                                 userrec* u = this->Instance->FindNick(params[1]);
2680                                 if (u)
2681                                         DoOneToOne(prefix,"TIME",params,params[0]);
2682                         }
2683                 }
2684                 else if (params.size() == 3)
2685                 {
2686                         // a response to a previous TIME
2687                         userrec* u = this->Instance->FindNick(params[1]);
2688                         if ((u) && (IS_LOCAL(u)))
2689                         {
2690                         time_t rawtime = atol(params[2].c_str());
2691                         struct tm * timeinfo;
2692                         timeinfo = localtime(&rawtime);
2693                                 char tms[26];
2694                                 snprintf(tms,26,"%s",asctime(timeinfo));
2695                                 tms[24] = 0;
2696                         u->WriteServ("391 %s %s :%s",u->nick,prefix.c_str(),tms);
2697                         }
2698                         else
2699                         {
2700                                 if (u)
2701                                         DoOneToOne(prefix,"TIME",params,u->server);
2702                         }
2703                 }
2704                 return true;
2705         }
2706         
2707         bool LocalPing(std::string prefix, std::deque<std::string> &params)
2708         {
2709                 if (params.size() < 1)
2710                         return true;
2711
2712                 if (params.size() == 1)
2713                 {
2714                         std::string stufftobounce = params[0];
2715                         this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" PONG "+stufftobounce);
2716                         return true;
2717                 }
2718                 else
2719                 {
2720                         std::string forwardto = params[1];
2721                         if (forwardto == this->Instance->Config->ServerName)
2722                         {
2723                                 // this is a ping for us, send back PONG to the requesting server
2724                                 params[1] = params[0];
2725                                 params[0] = forwardto;
2726                                 DoOneToOne(forwardto,"PONG",params,params[1]);
2727                         }
2728                         else
2729                         {
2730                                 // not for us, pass it on :)
2731                                 DoOneToOne(prefix,"PING",params,forwardto);
2732                         }
2733                         return true;
2734                 }
2735         }
2736
2737         bool RemoveStatus(std::string prefix, std::deque<std::string> &params)
2738         {
2739                 if (params.size() < 1)
2740                         return true;
2741
2742                 chanrec* c = Instance->FindChan(params[0]);
2743
2744                 if (c)
2745                 {
2746                         irc::modestacker modestack(false);
2747                         CUList *ulist = c->GetUsers();
2748                         const char* y[127];
2749                         std::deque<std::string> stackresult;
2750                         std::string x;
2751
2752                         for (CUList::iterator i = ulist->begin(); i != ulist->end(); i++)
2753                         {
2754                                 std::string modesequence = Instance->Modes->ModeString(i->second, c);
2755                                 if (modesequence.length())
2756                                 {
2757                                         ServerInstance->Log(DEBUG,"Mode sequence = '%s'",modesequence.c_str());
2758                                         irc::spacesepstream sep(modesequence);
2759                                         std::string modeletters = sep.GetToken();
2760                                         ServerInstance->Log(DEBUG,"Mode letters = '%s'",modeletters.c_str());
2761                                         
2762                                         while (!modeletters.empty())
2763                                         {
2764                                                 char mletter = *(modeletters.begin());
2765                                                 modestack.Push(mletter,sep.GetToken());
2766                                                 ServerInstance->Log(DEBUG,"Push letter = '%c'",mletter);
2767                                                 modeletters.erase(modeletters.begin());
2768                                                 ServerInstance->Log(DEBUG,"Mode letters = '%s'",modeletters.c_str());
2769                                         }
2770                                 }
2771                         }
2772
2773                         while (modestack.GetStackedLine(stackresult))
2774                         {
2775                                 ServerInstance->Log(DEBUG,"Stacked line size %d",stackresult.size());
2776                                 stackresult.push_front(ConvToStr(c->age));
2777                                 stackresult.push_front(c->name);
2778                                 DoOneToMany(Instance->Config->ServerName, "FMODE", stackresult);
2779                                 stackresult.erase(stackresult.begin() + 1);
2780                                 ServerInstance->Log(DEBUG,"Stacked items:");
2781                                 for (size_t z = 0; z < stackresult.size(); z++)
2782                                 {
2783                                         y[z] = stackresult[z].c_str();
2784                                         ServerInstance->Log(DEBUG,"\tstackresult[%d]='%s'",z,stackresult[z].c_str());
2785                                 }
2786                                 userrec* n = new userrec(Instance);
2787                                 n->SetFd(FD_MAGIC_NUMBER);
2788                                 Instance->SendMode(y, stackresult.size(), n);
2789                                 delete n;
2790                         }
2791                 }
2792                 return true;
2793         }
2794
2795         bool RemoteServer(std::string prefix, std::deque<std::string> &params)
2796         {
2797                 if (params.size() < 4)
2798                         return false;
2799
2800                 std::string servername = params[0];
2801                 std::string password = params[1];
2802                 // hopcount is not used for a remote server, we calculate this ourselves
2803                 std::string description = params[3];
2804                 TreeServer* ParentOfThis = FindServer(prefix);
2805
2806                 if (!ParentOfThis)
2807                 {
2808                         this->WriteLine("ERROR :Protocol error - Introduced remote server from unknown server "+prefix);
2809                         return false;
2810                 }
2811                 TreeServer* CheckDupe = FindServer(servername);
2812                 if (CheckDupe)
2813                 {
2814                         this->WriteLine("ERROR :Server "+servername+" already exists!");
2815                         this->Instance->SNO->WriteToSnoMask('l',"Server connection from \2"+servername+"\2 denied, already exists");
2816                         return false;
2817                 }
2818                 TreeServer* Node = new TreeServer(this->Instance,servername,description,ParentOfThis,NULL);
2819                 ParentOfThis->AddChild(Node);
2820                 params[3] = ":" + params[3];
2821                 DoOneToAllButSender(prefix,"SERVER",params,prefix);
2822                 this->Instance->SNO->WriteToSnoMask('l',"Server \002"+prefix+"\002 introduced server \002"+servername+"\002 ("+description+")");
2823                 return true;
2824         }
2825
2826         bool Outbound_Reply_Server(std::deque<std::string> &params)
2827         {
2828                 if (params.size() < 4)
2829                         return false;
2830
2831                 irc::string servername = params[0].c_str();
2832                 std::string sname = params[0];
2833                 std::string password = params[1];
2834                 int hops = atoi(params[2].c_str());
2835
2836                 if (hops)
2837                 {
2838                         this->WriteLine("ERROR :Server too far away for authentication");
2839                         this->Instance->SNO->WriteToSnoMask('l',"Server connection from \2"+sname+"\2 denied, server is too far away for authentication");
2840                         return false;
2841                 }
2842                 std::string description = params[3];
2843                 for (std::vector<Link>::iterator x = LinkBlocks.begin(); x < LinkBlocks.end(); x++)
2844                 {
2845                         if ((x->Name == servername) && (x->RecvPass == password))
2846                         {
2847                                 TreeServer* CheckDupe = FindServer(sname);
2848                                 if (CheckDupe)
2849                                 {
2850                                         this->WriteLine("ERROR :Server "+sname+" already exists on server "+CheckDupe->GetParent()->GetName()+"!");
2851                                         this->Instance->SNO->WriteToSnoMask('l',"Server connection from \2"+sname+"\2 denied, already exists on server "+CheckDupe->GetParent()->GetName());
2852                                         return false;
2853                                 }
2854                                 // Begin the sync here. this kickstarts the
2855                                 // other side, waiting in WAIT_AUTH_2 state,
2856                                 // into starting their burst, as it shows
2857                                 // that we're happy.
2858                                 this->LinkState = CONNECTED;
2859                                 // we should add the details of this server now
2860                                 // to the servers tree, as a child of the root
2861                                 // node.
2862                                 TreeServer* Node = new TreeServer(this->Instance,sname,description,TreeRoot,this);
2863                                 TreeRoot->AddChild(Node);
2864                                 params[3] = ":" + params[3];
2865                                 DoOneToAllButSender(TreeRoot->GetName(),"SERVER",params,sname);
2866                                 this->bursting = true;
2867                                 this->DoBurst(Node);
2868                                 return true;
2869                         }
2870                 }
2871                 this->WriteLine("ERROR :Invalid credentials");
2872                 this->Instance->SNO->WriteToSnoMask('l',"Server connection from \2"+sname+"\2 denied, invalid link credentials");
2873                 return false;
2874         }
2875
2876         bool Inbound_Server(std::deque<std::string> &params)
2877         {
2878                 if (params.size() < 4)
2879                         return false;
2880
2881                 irc::string servername = params[0].c_str();
2882                 std::string sname = params[0];
2883                 std::string password = params[1];
2884                 int hops = atoi(params[2].c_str());
2885
2886                 if (hops)
2887                 {
2888                         this->WriteLine("ERROR :Server too far away for authentication");
2889                         this->Instance->SNO->WriteToSnoMask('l',"Server connection from \2"+sname+"\2 denied, server is too far away for authentication");
2890                         return false;
2891                 }
2892                 std::string description = params[3];
2893                 for (std::vector<Link>::iterator x = LinkBlocks.begin(); x < LinkBlocks.end(); x++)
2894                 {
2895                         if ((x->Name == servername) && (x->RecvPass == password))
2896                         {
2897                                 TreeServer* CheckDupe = FindServer(sname);
2898                                 if (CheckDupe)
2899                                 {
2900                                         this->WriteLine("ERROR :Server "+sname+" already exists on server "+CheckDupe->GetParent()->GetName()+"!");
2901                                         this->Instance->SNO->WriteToSnoMask('l',"Server connection from \2"+sname+"\2 denied, already exists on server "+CheckDupe->GetParent()->GetName());
2902                                         return false;
2903                                 }
2904                                 /* If the config says this link is encrypted, but the remote side
2905                                  * hasnt bothered to send the AES command before SERVER, then we
2906                                  * boot them off as we MUST have this connection encrypted.
2907                                  */
2908                                 if ((x->EncryptionKey != "") && (!this->ctx_in))
2909                                 {
2910                                         this->WriteLine("ERROR :This link requires AES encryption to be enabled. Plaintext connection refused.");
2911                                         this->Instance->SNO->WriteToSnoMask('l',"Server connection from \2"+sname+"\2 denied, remote server did not enable AES.");
2912                                         return false;
2913                                 }
2914                                 this->Instance->SNO->WriteToSnoMask('l',"Verified incoming server connection from \002"+sname+"\002["+(x->HiddenFromStats ? "<hidden>" : this->GetIP())+"] ("+description+")");
2915                                 this->InboundServerName = sname;
2916                                 this->InboundDescription = description;
2917                                 // this is good. Send our details: Our server name and description and hopcount of 0,
2918                                 // along with the sendpass from this block.
2919                                 this->WriteLine(std::string("SERVER ")+this->Instance->Config->ServerName+" "+x->SendPass+" 0 :"+this->Instance->Config->ServerDesc);
2920                                 // move to the next state, we are now waiting for THEM.
2921                                 this->LinkState = WAIT_AUTH_2;
2922                                 return true;
2923                         }
2924                 }
2925                 this->WriteLine("ERROR :Invalid credentials");
2926                 this->Instance->SNO->WriteToSnoMask('l',"Server connection from \2"+sname+"\2 denied, invalid link credentials");
2927                 return false;
2928         }
2929
2930         void Split(std::string line, std::deque<std::string> &n)
2931         {
2932                 n.clear();
2933                 irc::tokenstream tokens(line);
2934                 std::string param;
2935                 while ((param = tokens.GetToken()) != "")
2936                         n.push_back(param);
2937                 return;
2938         }
2939
2940         bool ProcessLine(std::string line)
2941         {
2942                 std::deque<std::string> params;
2943                 irc::string command;
2944                 std::string prefix;
2945                 
2946                 if (line.empty())
2947                         return true;
2948                 
2949                 line = line.substr(0, line.find_first_of("\r\n"));
2950                 
2951                 Instance->Log(DEBUG,"IN: %s", line.c_str());
2952                 
2953                 this->Split(line.c_str(),params);
2954                         
2955                 if ((params[0][0] == ':') && (params.size() > 1))
2956                 {
2957                         prefix = params[0].substr(1);
2958                         params.pop_front();
2959                 }
2960
2961                 command = params[0].c_str();
2962                 params.pop_front();
2963
2964                 if ((!this->ctx_in) && (command == "AES"))
2965                 {
2966                         std::string sserv = params[0];
2967                         for (std::vector<Link>::iterator x = LinkBlocks.begin(); x < LinkBlocks.end(); x++)
2968                         {
2969                                 if ((x->EncryptionKey != "") && (x->Name == sserv))
2970                                 {
2971                                         this->InitAES(x->EncryptionKey,sserv);
2972                                 }
2973                         }
2974
2975                         return true;
2976                 }
2977                 else if ((this->ctx_in) && (command == "AES"))
2978                 {
2979                         this->Instance->SNO->WriteToSnoMask('l',"\2AES\2: Encryption already enabled on this connection yet %s is trying to enable it twice!",params[0].c_str());
2980                 }
2981
2982                 switch (this->LinkState)
2983                 {
2984                         TreeServer* Node;
2985                         
2986                         case WAIT_AUTH_1:
2987                                 // Waiting for SERVER command from remote server. Server initiating
2988                                 // the connection sends the first SERVER command, listening server
2989                                 // replies with theirs if its happy, then if the initiator is happy,
2990                                 // it starts to send its net sync, which starts the merge, otherwise
2991                                 // it sends an ERROR.
2992                                 if (command == "PASS")
2993                                 {
2994                                         /* Silently ignored */
2995                                 }
2996                                 else if (command == "SERVER")
2997                                 {
2998                                         return this->Inbound_Server(params);
2999                                 }
3000                                 else if (command == "ERROR")
3001                                 {
3002                                         return this->Error(params);
3003                                 }
3004                                 else if (command == "USER")
3005                                 {
3006                                         this->WriteLine("ERROR :Client connections to this port are prohibited.");
3007                                         return false;
3008                                 }
3009                                 else if (command == "CAPAB")
3010                                 {
3011                                         return this->Capab(params);
3012                                 }
3013                                 else if ((command == "U") || (command == "S"))
3014                                 {
3015                                         this->WriteLine("ERROR :Cannot use the old-style mesh linking protocol with m_spanningtree.so!");
3016                                         return false;
3017                                 }
3018                                 else
3019                                 {
3020                                         std::string error("ERROR :Invalid command in negotiation phase: ");
3021                                         error.append(command.c_str());
3022                                         this->WriteLine(error);
3023                                         return false;
3024                                 }
3025                         break;
3026                         case WAIT_AUTH_2:
3027                                 // Waiting for start of other side's netmerge to say they liked our
3028                                 // password.
3029                                 if (command == "SERVER")
3030                                 {
3031                                         // cant do this, they sent it to us in the WAIT_AUTH_1 state!
3032                                         // silently ignore.
3033                                         return true;
3034                                 }
3035                                 else if ((command == "U") || (command == "S"))
3036                                 {
3037                                         this->WriteLine("ERROR :Cannot use the old-style mesh linking protocol with m_spanningtree.so!");
3038                                         return false;
3039                                 }
3040                                 else if (command == "BURST")
3041                                 {
3042                                         if (params.size())
3043                                         {
3044                                                 /* If a time stamp is provided, try and check syncronization */
3045                                                 time_t THEM = atoi(params[0].c_str());
3046                                                 long delta = THEM-time(NULL);
3047                                                 if ((delta < -600) || (delta > 600))
3048                                                 {
3049                                                         this->Instance->SNO->WriteToSnoMask('l',"\2ERROR\2: Your clocks are out by %d seconds (this is more than ten minutes). Link aborted, \2PLEASE SYNC YOUR CLOCKS!\2",abs(delta));
3050                                                         this->WriteLine("ERROR :Your clocks are out by "+ConvToStr(abs(delta))+" seconds (this is more than ten minutes). Link aborted, PLEASE SYNC YOUR CLOCKS!");
3051                                                         return false;
3052                                                 }
3053                                                 else if ((delta < -60) || (delta > 60))
3054                                                 {
3055                                                         this->Instance->SNO->WriteToSnoMask('l',"\2WARNING\2: Your clocks are out by %d seconds, please consider synching your clocks.",abs(delta));
3056                                                 }
3057                                         }
3058                                         this->LinkState = CONNECTED;
3059                                         Node = new TreeServer(this->Instance,InboundServerName,InboundDescription,TreeRoot,this);
3060                                         TreeRoot->AddChild(Node);
3061                                         params.clear();
3062                                         params.push_back(InboundServerName);
3063                                         params.push_back("*");
3064                                         params.push_back("1");
3065                                         params.push_back(":"+InboundDescription);
3066                                         DoOneToAllButSender(TreeRoot->GetName(),"SERVER",params,InboundServerName);
3067                                         this->bursting = true;
3068                                         this->DoBurst(Node);
3069                                 }
3070                                 else if (command == "ERROR")
3071                                 {
3072                                         return this->Error(params);
3073                                 }
3074                                 else if (command == "CAPAB")
3075                                 {
3076                                         return this->Capab(params);
3077                                 }
3078                                 
3079                         break;
3080                         case LISTENER:
3081                                 this->WriteLine("ERROR :Internal error -- listening socket accepted its own descriptor!!!");
3082                                 return false;
3083                         break;
3084                         case CONNECTING:
3085                                 if (command == "SERVER")
3086                                 {
3087                                         // another server we connected to, which was in WAIT_AUTH_1 state,
3088                                         // has just sent us their credentials. If we get this far, theyre
3089                                         // happy with OUR credentials, and they are now in WAIT_AUTH_2 state.
3090                                         // if we're happy with this, we should send our netburst which
3091                                         // kickstarts the merge.
3092                                         return this->Outbound_Reply_Server(params);
3093                                 }
3094                                 else if (command == "ERROR")
3095                                 {
3096                                         return this->Error(params);
3097                                 }
3098                         break;
3099                         case CONNECTED:
3100                                 // This is the 'authenticated' state, when all passwords
3101                                 // have been exchanged and anything past this point is taken
3102                                 // as gospel.
3103                                 
3104                                 if (prefix != "")
3105                                 {
3106                                         std::string direction = prefix;
3107                                         userrec* t = this->Instance->FindNick(prefix);
3108                                         if (t)
3109                                         {
3110                                                 direction = t->server;
3111                                         }
3112                                         TreeServer* route_back_again = BestRouteTo(direction);
3113                                         if ((!route_back_again) || (route_back_again->GetSocket() != this))
3114                                         {
3115                                                 if (route_back_again)
3116                                                         Instance->Log(DEBUG,"Protocol violation: Fake direction in command '%s' from connection '%s'",line.c_str(),this->GetName().c_str());
3117                                                 return true;
3118                                         }
3119
3120                                         /* Fix by brain:
3121                                          * When there is activity on the socket, reset the ping counter so
3122                                          * that we're not wasting bandwidth pinging an active server.
3123                                          */ 
3124                                         route_back_again->SetNextPingTime(time(NULL) + 60);
3125                                         route_back_again->SetPingFlag();
3126                                 }
3127                                 
3128                                 if (command == "SVSMODE")
3129                                 {
3130                                         /* Services expects us to implement
3131                                          * SVSMODE. In inspircd its the same as
3132                                          * MODE anyway.
3133                                          */
3134                                         command = "MODE";
3135                                 }
3136                                 std::string target = "";
3137                                 /* Yes, know, this is a mess. Its reasonably fast though as we're
3138                                  * working with std::string here.
3139                                  */
3140                                 if ((command == "NICK") && (params.size() > 1))
3141                                 {
3142                                         return this->IntroduceClient(prefix,params);
3143                                 }
3144                                 else if (command == "FJOIN")
3145                                 {
3146                                         return this->ForceJoin(prefix,params);
3147                                 }
3148                                 else if (command == "STATS")
3149                                 {
3150                                         return this->Stats(prefix, params);
3151                                 }
3152                                 else if (command == "MOTD")
3153                                 {
3154                                         return this->Motd(prefix, params);
3155                                 }
3156                                 else if (command == "ADMIN")
3157                                 {
3158                                         return this->Admin(prefix, params);
3159                                 }
3160                                 else if (command == "SERVER")
3161                                 {
3162                                         return this->RemoteServer(prefix,params);
3163                                 }
3164                                 else if (command == "ERROR")
3165                                 {
3166                                         return this->Error(params);
3167                                 }
3168                                 else if (command == "OPERTYPE")
3169                                 {
3170                                         return this->OperType(prefix,params);
3171                                 }
3172                                 else if (command == "FMODE")
3173                                 {
3174                                         return this->ForceMode(prefix,params);
3175                                 }
3176                                 else if (command == "KILL")
3177                                 {
3178                                         return this->RemoteKill(prefix,params);
3179                                 }
3180                                 else if (command == "FTOPIC")
3181                                 {
3182                                         return this->ForceTopic(prefix,params);
3183                                 }
3184                                 else if (command == "REHASH")
3185                                 {
3186                                         return this->RemoteRehash(prefix,params);
3187                                 }
3188                                 else if (command == "METADATA")
3189                                 {
3190                                         return this->MetaData(prefix,params);
3191                                 }
3192                                 else if (command == "REMSTATUS")
3193                                 {
3194                                         return this->RemoveStatus(prefix,params);
3195                                 }
3196                                 else if (command == "PING")
3197                                 {
3198                                         /*
3199                                          * We just got a ping from a server that's bursting.
3200                                          * This can't be right, so set them to not bursting, and
3201                                          * apply their lines.
3202                                          */
3203                                         if (this->bursting)
3204                                         {
3205                                                 this->bursting = false;
3206                                                 Instance->XLines->apply_lines(APPLY_ZLINES|APPLY_GLINES|APPLY_QLINES);
3207                                         }
3208                                         if (prefix == "")
3209                                         {
3210                                                 prefix = this->GetName();
3211                                         }
3212                                         return this->LocalPing(prefix,params);
3213                                 }
3214                                 else if (command == "PONG")
3215                                 {
3216                                         /*
3217                                          * We just got a pong from a server that's bursting.
3218                                          * This can't be right, so set them to not bursting, and
3219                                          * apply their lines.
3220                                          */
3221                                         if (this->bursting)
3222                                         {
3223                                                 this->bursting = false;
3224                                                 Instance->XLines->apply_lines(APPLY_ZLINES|APPLY_GLINES|APPLY_QLINES);
3225                                         }
3226                                         if (prefix == "")
3227                                         {
3228                                                 prefix = this->GetName();
3229                                         }
3230                                         return this->LocalPong(prefix,params);
3231                                 }
3232                                 else if (command == "VERSION")
3233                                 {
3234                                         return this->ServerVersion(prefix,params);
3235                                 }
3236                                 else if (command == "FHOST")
3237                                 {
3238                                         return this->ChangeHost(prefix,params);
3239                                 }
3240                                 else if (command == "FNAME")
3241                                 {
3242                                         return this->ChangeName(prefix,params);
3243                                 }
3244                                 else if (command == "ADDLINE")
3245                                 {
3246                                         return this->AddLine(prefix,params);
3247                                 }
3248                                 else if (command == "SVSNICK")
3249                                 {
3250                                         if (prefix == "")
3251                                         {
3252                                                 prefix = this->GetName();
3253                                         }
3254                                         return this->ForceNick(prefix,params);
3255                                 }
3256                                 else if (command == "IDLE")
3257                                 {
3258                                         return this->Whois(prefix,params);
3259                                 }
3260                                 else if (command == "PUSH")
3261                                 {
3262                                         return this->Push(prefix,params);
3263                                 }
3264                                 else if (command == "TIME")
3265                                 {
3266                                         return this->Time(prefix,params);
3267                                 }
3268                                 else if ((command == "KICK") && (IsServer(prefix)))
3269                                 {
3270                                         std::string sourceserv = this->myhost;
3271                                         if (params.size() == 3)
3272                                         {
3273                                                 userrec* user = this->Instance->FindNick(params[1]);
3274                                                 chanrec* chan = this->Instance->FindChan(params[0]);
3275                                                 if (user && chan)
3276                                                 {
3277                                                         if (!chan->ServerKickUser(user, params[2].c_str(), false))
3278                                                                 /* Yikes, the channels gone! */
3279                                                                 delete chan;
3280                                                 }
3281                                         }
3282                                         if (this->InboundServerName != "")
3283                                         {
3284                                                 sourceserv = this->InboundServerName;
3285                                         }
3286                                         return DoOneToAllButSenderRaw(line,sourceserv,prefix,command,params);
3287                                 }
3288                                 else if (command == "SVSJOIN")
3289                                 {
3290                                         if (prefix == "")
3291                                         {
3292                                                 prefix = this->GetName();
3293                                         }
3294                                         return this->ServiceJoin(prefix,params);
3295                                 }
3296                                 else if (command == "SQUIT")
3297                                 {
3298                                         if (params.size() == 2)
3299                                         {
3300                                                 this->Squit(FindServer(params[0]),params[1]);
3301                                         }
3302                                         return true;
3303                                 }
3304                                 else if (command == "ENDBURST")
3305                                 {
3306                                         this->bursting = false;
3307                                         Instance->XLines->apply_lines(APPLY_ZLINES|APPLY_GLINES|APPLY_QLINES);
3308                                         std::string sourceserv = this->myhost;
3309                                         if (this->InboundServerName != "")
3310                                         {
3311                                                 sourceserv = this->InboundServerName;
3312                                         }
3313                                         this->Instance->SNO->WriteToSnoMask('l',"Received end of netburst from \2%s\2",sourceserv.c_str());
3314                                         return true;
3315                                 }
3316                                 else
3317                                 {
3318                                         // not a special inter-server command.
3319                                         // Emulate the actual user doing the command,
3320                                         // this saves us having a huge ugly parser.
3321                                         userrec* who = this->Instance->FindNick(prefix);
3322                                         std::string sourceserv = this->myhost;
3323                                         if (this->InboundServerName != "")
3324                                         {
3325                                                 sourceserv = this->InboundServerName;
3326                                         }
3327                                         if (who)
3328                                         {
3329                                                 if ((command == "NICK") && (params.size() > 0))
3330                                                 {
3331                                                         /* On nick messages, check that the nick doesnt
3332                                                          * already exist here. If it does, kill their copy,
3333                                                          * and our copy.
3334                                                          */
3335                                                         userrec* x = this->Instance->FindNick(params[0]);
3336                                                         if ((x) && (x != who))
3337                                                         {
3338                                                                 std::deque<std::string> p;
3339                                                                 p.push_back(params[0]);
3340                                                                 p.push_back("Nickname collision ("+prefix+" -> "+params[0]+")");
3341                                                                 DoOneToMany(this->Instance->Config->ServerName,"KILL",p);
3342                                                                 p.clear();
3343                                                                 p.push_back(prefix);
3344                                                                 p.push_back("Nickname collision");
3345                                                                 DoOneToMany(this->Instance->Config->ServerName,"KILL",p);
3346                                                                 userrec::QuitUser(this->Instance,x,"Nickname collision ("+prefix+" -> "+params[0]+")");
3347                                                                 userrec* y = this->Instance->FindNick(prefix);
3348                                                                 if (y)
3349                                                                 {
3350                                                                         userrec::QuitUser(this->Instance,y,"Nickname collision");
3351                                                                 }
3352                                                                 return DoOneToAllButSenderRaw(line,sourceserv,prefix,command,params);
3353                                                         }
3354                                                 }
3355                                                 // its a user
3356                                                 target = who->server;
3357                                                 const char* strparams[127];
3358                                                 for (unsigned int q = 0; q < params.size(); q++)
3359                                                 {
3360                                                         strparams[q] = params[q].c_str();
3361                                                 }
3362                                                 switch (this->Instance->CallCommandHandler(command.c_str(), strparams, params.size(), who))
3363                                                 {
3364                                                         case CMD_INVALID:
3365                                                                 this->WriteLine("ERROR :Unrecognised command '"+std::string(command.c_str())+"' -- possibly loaded mismatched modules");
3366                                                                 return false;
3367                                                         break;
3368                                                         case CMD_FAILURE:
3369                                                                 return true;
3370                                                         break;
3371                                                         default:
3372                                                                 /* CMD_SUCCESS and CMD_USER_DELETED fall through here */
3373                                                         break;
3374                                                 }
3375                                         }
3376                                         else
3377                                         {
3378                                                 // its not a user. Its either a server, or somethings screwed up.
3379                                                 if (IsServer(prefix))
3380                                                 {
3381                                                         target = this->Instance->Config->ServerName;
3382                                                 }
3383                                                 else
3384                                                 {
3385                                                         Instance->Log(DEBUG,"Command with unknown origin '%s'",prefix.c_str());
3386                                                         return true;
3387                                                 }
3388                                         }
3389                                         return DoOneToAllButSenderRaw(line,sourceserv,prefix,command,params);
3390
3391                                 }
3392                                 return true;
3393                         break;
3394                 }
3395                 return true;
3396         }
3397
3398         virtual std::string GetName()
3399         {
3400                 std::string sourceserv = this->myhost;
3401                 if (this->InboundServerName != "")
3402                 {
3403                         sourceserv = this->InboundServerName;
3404                 }
3405                 return sourceserv;
3406         }
3407
3408         virtual void OnTimeout()
3409         {
3410                 if (this->LinkState == CONNECTING)
3411                 {
3412                         this->Instance->SNO->WriteToSnoMask('l',"CONNECT: Connection to \002"+myhost+"\002 timed out.");
3413                         Link* MyLink = FindLink(myhost);
3414                         if (MyLink)
3415                                 DoFailOver(MyLink);
3416                 }
3417         }
3418
3419         virtual void OnClose()
3420         {
3421                 // Connection closed.
3422                 // If the connection is fully up (state CONNECTED)
3423                 // then propogate a netsplit to all peers.
3424                 std::string quitserver = this->myhost;
3425                 if (this->InboundServerName != "")
3426                 {
3427                         quitserver = this->InboundServerName;
3428                 }
3429                 TreeServer* s = FindServer(quitserver);
3430                 if (s)
3431                 {
3432                         Squit(s,"Remote host closed the connection");
3433                 }
3434                 this->Instance->SNO->WriteToSnoMask('l',"Connection to '\2%s\2' failed.",quitserver.c_str());
3435         }
3436
3437         virtual int OnIncomingConnection(int newsock, char* ip)
3438         {
3439                 /* To prevent anyone from attempting to flood opers/DDoS by connecting to the server port,
3440                  * or discovering if this port is the server port, we don't allow connections from any
3441                  * IPs for which we don't have a link block.
3442                  */
3443                 bool found = false;
3444
3445                 found = (std::find(ValidIPs.begin(), ValidIPs.end(), ip) != ValidIPs.end());
3446                 if (!found)
3447                 {
3448                         for (vector<std::string>::iterator i = ValidIPs.begin(); i != ValidIPs.end(); i++)
3449                                 if (MatchCIDR(ip, (*i).c_str()))
3450                                         found = true;
3451
3452                         if (!found)
3453                         {
3454                                 this->Instance->SNO->WriteToSnoMask('l',"Server connection from %s denied (no link blocks with that IP address)", ip);
3455                                 close(newsock);
3456                                 return false;
3457                         }
3458                 }
3459                 TreeSocket* s = new TreeSocket(this->Instance, newsock, ip);
3460                 s = s; /* Whinge whinge whinge, thats all GCC ever does. */
3461                 return true;
3462         }
3463 };
3464
3465 /** This class is used to resolve server hostnames during /connect and autoconnect.
3466  * As of 1.1, the resolver system is seperated out from InspSocket, so we must do this
3467  * resolver step first ourselves if we need it. This is totally nonblocking, and will
3468  * callback to OnLookupComplete or OnError when completed. Once it has completed we
3469  * will have an IP address which we can then use to continue our connection.
3470  */
3471 class ServernameResolver : public Resolver
3472 {       
3473  private:
3474         /** A copy of the Link tag info for what we're connecting to.
3475          * We take a copy, rather than using a pointer, just in case the
3476          * admin takes the tag away and rehashes while the domain is resolving.
3477          */
3478         Link MyLink;
3479  public: 
3480         ServernameResolver(InspIRCd* Instance, const std::string &hostname, Link x) : Resolver(Instance, hostname, DNS_QUERY_FORWARD), MyLink(x)
3481         {
3482                 /* Nothing in here, folks */
3483         }
3484
3485         void OnLookupComplete(const std::string &result)
3486         {
3487                 /* Initiate the connection, now that we have an IP to use.
3488                  * Passing a hostname directly to InspSocket causes it to
3489                  * just bail and set its FD to -1.
3490                  */
3491                 TreeServer* CheckDupe = FindServer(MyLink.Name.c_str());
3492                 if (!CheckDupe) /* Check that nobody tried to connect it successfully while we were resolving */
3493                 {
3494                         TreeSocket* newsocket = new TreeSocket(ServerInstance, result,MyLink.Port,false,10,MyLink.Name.c_str());
3495                         if (newsocket->GetFd() > -1)
3496                         {
3497                                 /* We're all OK */
3498                         }
3499                         else
3500                         {
3501                                 /* Something barfed, show the opers */
3502                                 ServerInstance->SNO->WriteToSnoMask('l',"CONNECT: Error connecting \002%s\002: %s.",MyLink.Name.c_str(),strerror(errno));
3503                                 delete newsocket;
3504                                 DoFailOver(&MyLink);
3505                         }
3506                 }
3507         }
3508
3509         void OnError(ResolverError e, const std::string &errormessage)
3510         {
3511                 /* Ooops! */
3512                 ServerInstance->SNO->WriteToSnoMask('l',"CONNECT: Error connecting \002%s\002: Unable to resolve hostname - %s",MyLink.Name.c_str(),errormessage.c_str());
3513                 DoFailOver(&MyLink);
3514         }
3515 };
3516
3517 class SecurityIPResolver : public Resolver
3518 {
3519  private:
3520         Link MyLink;
3521  public:
3522         SecurityIPResolver(InspIRCd* Instance, const std::string &hostname, Link x) : Resolver(Instance, hostname, DNS_QUERY_FORWARD), MyLink(x)
3523         {
3524         }
3525
3526         void OnLookupComplete(const std::string &result)
3527         {
3528                 ServerInstance->Log(DEBUG,"Security IP cache: Adding IP address '%s' for Link '%s'",result.c_str(),MyLink.Name.c_str());
3529                 ValidIPs.push_back(result);
3530         }
3531
3532         void OnError(ResolverError e, const std::string &errormessage)
3533         {
3534                 ServerInstance->Log(DEBUG,"Could not resolve IP associated with Link '%s': %s",MyLink.Name.c_str(),errormessage.c_str());
3535         }
3536 };
3537
3538 void AddThisServer(TreeServer* server, std::deque<TreeServer*> &list)
3539 {
3540         for (unsigned int c = 0; c < list.size(); c++)
3541         {
3542                 if (list[c] == server)
3543                 {
3544                         return;
3545                 }
3546         }
3547         list.push_back(server);
3548 }
3549
3550 /** returns a list of DIRECT servernames for a specific channel */
3551 void GetListOfServersForChannel(chanrec* c, std::deque<TreeServer*> &list)
3552 {
3553         CUList *ulist = c->GetUsers();
3554         for (CUList::iterator i = ulist->begin(); i != ulist->end(); i++)
3555         {
3556                 if (i->second->GetFd() < 0)
3557                 {
3558                         TreeServer* best = BestRouteTo(i->second->server);
3559                         if (best)
3560                                 AddThisServer(best,list);
3561                 }
3562         }
3563         return;
3564 }
3565
3566 bool DoOneToAllButSenderRaw(std::string data, std::string omit, std::string prefix, irc::string command, std::deque<std::string> &params)
3567 {
3568         TreeServer* omitroute = BestRouteTo(omit);
3569         if ((command == "NOTICE") || (command == "PRIVMSG"))
3570         {
3571                 if (params.size() >= 2)
3572                 {
3573                         /* Prefixes */
3574                         if ((*(params[0].c_str()) == '@') || (*(params[0].c_str()) == '%') || (*(params[0].c_str()) == '+'))
3575                         {
3576                                 params[0] = params[0].substr(1, params[0].length()-1);
3577                         }
3578                         if ((*(params[0].c_str()) != '#') && (*(params[0].c_str()) != '$'))
3579                         {
3580                                 // special routing for private messages/notices
3581                                 userrec* d = ServerInstance->FindNick(params[0]);
3582                                 if (d)
3583                                 {
3584                                         std::deque<std::string> par;
3585                                         par.push_back(params[0]);
3586                                         par.push_back(":"+params[1]);
3587                                         DoOneToOne(prefix,command.c_str(),par,d->server);
3588                                         return true;
3589                                 }
3590                         }
3591                         else if (*(params[0].c_str()) == '$')
3592                         {
3593                                 std::deque<std::string> par;
3594                                 par.push_back(params[0]);
3595                                 par.push_back(":"+params[1]);
3596                                 DoOneToAllButSender(prefix,command.c_str(),par,omitroute->GetName());
3597                                 return true;
3598                         }
3599                         else
3600                         {
3601                                 ServerInstance->Log(DEBUG,"Channel privmsg going to chan %s",params[0].c_str());
3602                                 chanrec* c = ServerInstance->FindChan(params[0]);
3603                                 if (c)
3604                                 {
3605                                         std::deque<TreeServer*> list;
3606                                         GetListOfServersForChannel(c,list);
3607                                         ServerInstance->Log(DEBUG,"Got a list of %d servers",list.size());
3608                                         unsigned int lsize = list.size();
3609                                         for (unsigned int i = 0; i < lsize; i++)
3610                                         {
3611                                                 TreeSocket* Sock = list[i]->GetSocket();
3612                                                 if ((Sock) && (list[i]->GetName() != omit) && (omitroute != list[i]))
3613                                                 {
3614                                                         ServerInstance->Log(DEBUG,"Writing privmsg to server %s",list[i]->GetName().c_str());
3615                                                         Sock->WriteLine(data);
3616                                                 }
3617                                         }
3618                                         return true;
3619                                 }
3620                         }
3621                 }
3622         }
3623         unsigned int items = TreeRoot->ChildCount();
3624         for (unsigned int x = 0; x < items; x++)
3625         {
3626                 TreeServer* Route = TreeRoot->GetChild(x);
3627                 if ((Route) && (Route->GetSocket()) && (Route->GetName() != omit) && (omitroute != Route))
3628                 {
3629                         TreeSocket* Sock = Route->GetSocket();
3630                         if (Sock)
3631                                 Sock->WriteLine(data);
3632                 }
3633         }
3634         return true;
3635 }
3636
3637 bool DoOneToAllButSender(std::string prefix, std::string command, std::deque<std::string> &params, std::string omit)
3638 {
3639         TreeServer* omitroute = BestRouteTo(omit);
3640         std::string FullLine = ":" + prefix + " " + command;
3641         unsigned int words = params.size();
3642         for (unsigned int x = 0; x < words; x++)
3643         {
3644                 FullLine = FullLine + " " + params[x];
3645         }
3646         unsigned int items = TreeRoot->ChildCount();
3647         for (unsigned int x = 0; x < items; x++)
3648         {
3649                 TreeServer* Route = TreeRoot->GetChild(x);
3650                 // Send the line IF:
3651                 // The route has a socket (its a direct connection)
3652                 // The route isnt the one to be omitted
3653                 // The route isnt the path to the one to be omitted
3654                 if ((Route) && (Route->GetSocket()) && (Route->GetName() != omit) && (omitroute != Route))
3655                 {
3656                         TreeSocket* Sock = Route->GetSocket();
3657                         if (Sock)
3658                                 Sock->WriteLine(FullLine);
3659                 }
3660         }
3661         return true;
3662 }
3663
3664 bool DoOneToMany(std::string prefix, std::string command, std::deque<std::string> &params)
3665 {
3666         std::string FullLine = ":" + prefix + " " + command;
3667         unsigned int words = params.size();
3668         for (unsigned int x = 0; x < words; x++)
3669         {
3670                 FullLine = FullLine + " " + params[x];
3671         }
3672         unsigned int items = TreeRoot->ChildCount();
3673         for (unsigned int x = 0; x < items; x++)
3674         {
3675                 TreeServer* Route = TreeRoot->GetChild(x);
3676                 if (Route && Route->GetSocket())
3677                 {
3678                         TreeSocket* Sock = Route->GetSocket();
3679                         if (Sock)
3680                                 Sock->WriteLine(FullLine);
3681                 }
3682         }
3683         return true;
3684 }
3685
3686 bool DoOneToMany(const char* prefix, const char* command, std::deque<std::string> &params)
3687 {
3688         std::string spfx = prefix;
3689         std::string scmd = command;
3690         return DoOneToMany(spfx, scmd, params);
3691 }
3692
3693 bool DoOneToAllButSender(const char* prefix, const char* command, std::deque<std::string> &params, std::string omit)
3694 {
3695         std::string spfx = prefix;
3696         std::string scmd = command;
3697         return DoOneToAllButSender(spfx, scmd, params, omit);
3698 }
3699
3700 bool DoOneToOne(std::string prefix, std::string command, std::deque<std::string> &params, std::string target)
3701 {
3702         TreeServer* Route = BestRouteTo(target);
3703         if (Route)
3704         {
3705                 std::string FullLine = ":" + prefix + " " + command;
3706                 unsigned int words = params.size();
3707                 for (unsigned int x = 0; x < words; x++)
3708                 {
3709                         FullLine = FullLine + " " + params[x];
3710                 }
3711                 if (Route && Route->GetSocket())
3712                 {
3713                         TreeSocket* Sock = Route->GetSocket();
3714                         if (Sock)
3715                                 Sock->WriteLine(FullLine);
3716                 }
3717                 return true;
3718         }
3719         else
3720         {
3721                 return false;
3722         }
3723 }
3724
3725 std::vector<TreeSocket*> Bindings;
3726
3727 void ReadConfiguration(bool rebind)
3728 {
3729         Conf = new ConfigReader(ServerInstance);
3730         if (rebind)
3731         {
3732                 for (int j =0; j < Conf->Enumerate("bind"); j++)
3733                 {
3734                         std::string Type = Conf->ReadValue("bind","type",j);
3735                         std::string IP = Conf->ReadValue("bind","address",j);
3736                         int Port = Conf->ReadInteger("bind","port",j,true);
3737                         if (Type == "servers")
3738                         {
3739                                 ServerInstance->Log(DEBUG,"m_spanningtree: Binding server port %s:%d", IP.c_str(), Port);
3740                                 if (IP == "*")
3741                                 {
3742                                         IP = "";
3743                                 }
3744                                 TreeSocket* listener = new TreeSocket(ServerInstance, IP.c_str(),Port,true,10);
3745                                 if (listener->GetState() == I_LISTENING)
3746                                 {
3747                                         ServerInstance->Log(DEFAULT,"m_spanningtree: Binding server port %s:%d successful!", IP.c_str(), Port);
3748                                         Bindings.push_back(listener);
3749                                 }
3750                                 else
3751                                 {
3752                                         ServerInstance->Log(DEFAULT,"m_spanningtree: Warning: Failed to bind server port %d",Port);
3753                                         listener->Close();
3754                                         DELETE(listener);
3755                                 }
3756                                 ServerInstance->Log(DEBUG,"Done with this binding");
3757                         }
3758                 }
3759         }
3760         FlatLinks = Conf->ReadFlag("options","flatlinks",0);
3761         HideULines = Conf->ReadFlag("options","hideulines",0);
3762         AnnounceTSChange = Conf->ReadFlag("options","announcets",0);
3763         LinkBlocks.clear();
3764         ValidIPs.clear();
3765         for (int j =0; j < Conf->Enumerate("link"); j++)
3766         {
3767                 Link L;
3768                 std::string Allow = Conf->ReadValue("link","allowmask",j);
3769                 L.Name = (Conf->ReadValue("link","name",j)).c_str();
3770                 L.IPAddr = Conf->ReadValue("link","ipaddr",j);
3771                 L.FailOver = Conf->ReadValue("link","failover",j).c_str();
3772                 L.Port = Conf->ReadInteger("link","port",j,true);
3773                 L.SendPass = Conf->ReadValue("link","sendpass",j);
3774                 L.RecvPass = Conf->ReadValue("link","recvpass",j);
3775                 L.AutoConnect = Conf->ReadInteger("link","autoconnect",j,true);
3776                 L.EncryptionKey =  Conf->ReadValue("link","encryptionkey",j);
3777                 L.HiddenFromStats = Conf->ReadFlag("link","hidden",j);
3778                 L.NextConnectTime = time(NULL) + L.AutoConnect;
3779                 /* Bugfix by brain, do not allow people to enter bad configurations */
3780                 if (L.Name != ServerInstance->Config->ServerName)
3781                 {
3782                         if ((L.IPAddr != "") && (L.RecvPass != "") && (L.SendPass != "") && (L.Name != "") && (L.Port))
3783                         {
3784                                 ValidIPs.push_back(L.IPAddr);
3785
3786                                 if (Allow.length())
3787                                         ValidIPs.push_back(Allow);
3788
3789                                 /* Needs resolving */
3790                                 insp_inaddr binip;
3791                                 if (insp_aton(L.IPAddr.c_str(), &binip) < 1)
3792                                 {
3793                                         try
3794                                         {
3795                                                 SecurityIPResolver* sr = new SecurityIPResolver(ServerInstance, L.IPAddr, L);
3796                                                 ServerInstance->AddResolver(sr);
3797                                         }
3798                                         catch (ModuleException& e)
3799                                         {
3800                                                 ServerInstance->Log(DEBUG,"Error in resolver: %s",e.GetReason());
3801                                         }
3802                                 }
3803
3804                                 LinkBlocks.push_back(L);
3805                                 ServerInstance->Log(DEBUG,"m_spanningtree: Read server %s with host %s:%d",L.Name.c_str(),L.IPAddr.c_str(),L.Port);
3806                         }
3807                         else
3808                         {
3809                                 if (L.IPAddr == "")
3810                                 {
3811                                         ServerInstance->Log(DEFAULT,"Invalid configuration for server '%s', IP address not defined!",L.Name.c_str());
3812                                 }
3813                                 else if (L.RecvPass == "")
3814                                 {
3815                                         ServerInstance->Log(DEFAULT,"Invalid configuration for server '%s', recvpass not defined!",L.Name.c_str());
3816                                 }
3817                                 else if (L.SendPass == "")
3818                                 {
3819                                         ServerInstance->Log(DEFAULT,"Invalid configuration for server '%s', sendpass not defined!",L.Name.c_str());
3820                                 }
3821                                 else if (L.Name == "")
3822                                 {
3823                                         ServerInstance->Log(DEFAULT,"Invalid configuration, link tag without a name!");
3824                                 }
3825                                 else if (!L.Port)
3826                                 {
3827                                         ServerInstance->Log(DEFAULT,"Invalid configuration for server '%s', no port specified!",L.Name.c_str());
3828                                 }
3829                         }
3830                 }
3831                 else
3832                 {
3833                         ServerInstance->Log(DEFAULT,"Invalid configuration for server '%s', link tag has the same server name as the local server!",L.Name.c_str());
3834                 }
3835         }
3836         DELETE(Conf);
3837 }
3838
3839
3840 class ModuleSpanningTree : public Module
3841 {
3842         int line;
3843         int NumServers;
3844         unsigned int max_local;
3845         unsigned int max_global;
3846         cmd_rconnect* command_rconnect;
3847
3848  public:
3849
3850         ModuleSpanningTree(InspIRCd* Me)
3851                 : Module::Module(Me), max_local(0), max_global(0)
3852         {
3853                 
3854                 Bindings.clear();
3855
3856                 ::ServerInstance = Me;
3857
3858                 // Create the root of the tree
3859                 TreeRoot = new TreeServer(ServerInstance, ServerInstance->Config->ServerName, ServerInstance->Config->ServerDesc);
3860
3861                 ReadConfiguration(true);
3862
3863                 command_rconnect = new cmd_rconnect(ServerInstance, this);
3864                 ServerInstance->AddCommand(command_rconnect);
3865         }
3866
3867         void ShowLinks(TreeServer* Current, userrec* user, int hops)
3868         {
3869                 std::string Parent = TreeRoot->GetName();
3870                 if (Current->GetParent())
3871                 {
3872                         Parent = Current->GetParent()->GetName();
3873                 }
3874                 for (unsigned int q = 0; q < Current->ChildCount(); q++)
3875                 {
3876                         if ((HideULines) && (ServerInstance->ULine(Current->GetChild(q)->GetName().c_str())))
3877                         {
3878                                 if (*user->oper)
3879                                 {
3880                                          ShowLinks(Current->GetChild(q),user,hops+1);
3881                                 }
3882                         }
3883                         else
3884                         {
3885                                 ShowLinks(Current->GetChild(q),user,hops+1);
3886                         }
3887                 }
3888                 /* Don't display the line if its a uline, hide ulines is on, and the user isnt an oper */
3889                 if ((HideULines) && (ServerInstance->ULine(Current->GetName().c_str())) && (!*user->oper))
3890                         return;
3891                 user->WriteServ("364 %s %s %s :%d %s",user->nick,Current->GetName().c_str(),(FlatLinks && (!*user->oper)) ? ServerInstance->Config->ServerName : Parent.c_str(),(FlatLinks && (!*user->oper)) ? 0 : hops,Current->GetDesc().c_str());
3892         }
3893
3894         int CountLocalServs()
3895         {
3896                 return TreeRoot->ChildCount();
3897         }
3898
3899         int CountServs()
3900         {
3901                 return serverlist.size();
3902         }
3903
3904         void HandleLinks(const char** parameters, int pcnt, userrec* user)
3905         {
3906                 ShowLinks(TreeRoot,user,0);
3907                 user->WriteServ("365 %s * :End of /LINKS list.",user->nick);
3908                 return;
3909         }
3910
3911         void HandleLusers(const char** parameters, int pcnt, userrec* user)
3912         {
3913                 unsigned int n_users = ServerInstance->UserCount();
3914
3915                 /* Only update these when someone wants to see them, more efficient */
3916                 if ((unsigned int)ServerInstance->LocalUserCount() > max_local)
3917                         max_local = ServerInstance->LocalUserCount();
3918                 if (n_users > max_global)
3919                         max_global = n_users;
3920
3921                 user->WriteServ("251 %s :There are %d users and %d invisible on %d servers",user->nick,n_users-ServerInstance->InvisibleUserCount(),ServerInstance->InvisibleUserCount(),this->CountServs());
3922                 if (ServerInstance->OperCount())
3923                         user->WriteServ("252 %s %d :operator(s) online",user->nick,ServerInstance->OperCount());
3924                 if (ServerInstance->UnregisteredUserCount())
3925                         user->WriteServ("253 %s %d :unknown connections",user->nick,ServerInstance->UnregisteredUserCount());
3926                 if (ServerInstance->ChannelCount())
3927                         user->WriteServ("254 %s %d :channels formed",user->nick,ServerInstance->ChannelCount());
3928                 user->WriteServ("254 %s :I have %d clients and %d servers",user->nick,ServerInstance->LocalUserCount(),this->CountLocalServs());
3929                 user->WriteServ("265 %s :Current Local Users: %d  Max: %d",user->nick,ServerInstance->LocalUserCount(),max_local);
3930                 user->WriteServ("266 %s :Current Global Users: %d  Max: %d",user->nick,n_users,max_global);
3931                 return;
3932         }
3933
3934         // WARNING: NOT THREAD SAFE - DONT GET ANY SMART IDEAS.
3935
3936         void ShowMap(TreeServer* Current, userrec* user, int depth, char matrix[128][80], float &totusers, float &totservers)
3937         {
3938                 if (line < 128)
3939                 {
3940                         for (int t = 0; t < depth; t++)
3941                         {
3942                                 matrix[line][t] = ' ';
3943                         }
3944
3945                         // For Aligning, we need to work out exactly how deep this thing is, and produce
3946                         // a 'Spacer' String to compensate.
3947                         char spacer[40];
3948
3949                         memset(spacer,' ',40);
3950                         if ((40 - Current->GetName().length() - depth) > 1) {
3951                                 spacer[40 - Current->GetName().length() - depth] = '\0';
3952                         }
3953                         else
3954                         {
3955                                 spacer[5] = '\0';
3956                         }
3957
3958                         float percent;
3959                         char text[80];
3960                         if (ServerInstance->clientlist.size() == 0) {
3961                                 // If there are no users, WHO THE HELL DID THE /MAP?!?!?!
3962                                 percent = 0;
3963                         }
3964                         else
3965                         {
3966                                 percent = ((float)Current->GetUserCount() / (float)ServerInstance->clientlist.size()) * 100;
3967                         }
3968                         snprintf(text, 80, "%s %s%5d [%5.2f%%]", Current->GetName().c_str(), spacer, Current->GetUserCount(), percent);
3969                         totusers += Current->GetUserCount();
3970                         totservers++;
3971                         strlcpy(&matrix[line][depth],text,80);
3972                         line++;
3973                         for (unsigned int q = 0; q < Current->ChildCount(); q++)
3974                         {
3975                                 if ((HideULines) && (ServerInstance->ULine(Current->GetChild(q)->GetName().c_str())))
3976                                 {
3977                                         if (*user->oper)
3978                                         {
3979                                                 ShowMap(Current->GetChild(q),user,(FlatLinks && (!*user->oper)) ? depth : depth+2,matrix,totusers,totservers);
3980                                         }
3981                                 }
3982                                 else
3983                                 {
3984                                         ShowMap(Current->GetChild(q),user,(FlatLinks && (!*user->oper)) ? depth : depth+2,matrix,totusers,totservers);
3985                                 }
3986                         }
3987                 }
3988         }
3989
3990         int HandleMotd(const char** parameters, int pcnt, userrec* user)
3991         {
3992                 if (pcnt > 0)
3993                 {
3994                         /* Remote MOTD, the server is within the 1st parameter */
3995                         std::deque<std::string> params;
3996                         params.push_back(parameters[0]);
3997
3998                         /* Send it out remotely, generate no reply yet */
3999                         TreeServer* s = FindServerMask(parameters[0]);
4000                         if (s)
4001                         {
4002                                 DoOneToOne(user->nick, "MOTD", params, s->GetName());
4003                         }
4004                         else
4005                         {
4006                                 user->WriteServ( "402 %s %s :No such server", user->nick, parameters[0]);
4007                         }
4008                         return 1;
4009                 }
4010                 return 0;
4011         }
4012
4013         int HandleAdmin(const char** parameters, int pcnt, userrec* user)
4014         {
4015                 if (pcnt > 0)
4016                 {
4017                         /* Remote ADMIN, the server is within the 1st parameter */
4018                         std::deque<std::string> params;
4019                         params.push_back(parameters[0]);
4020
4021                         /* Send it out remotely, generate no reply yet */
4022                         TreeServer* s = FindServerMask(parameters[0]);
4023                         if (s)
4024                         {
4025                                 DoOneToOne(user->nick, "ADMIN", params, s->GetName());
4026                         }
4027                         else
4028                         {
4029                                 user->WriteServ( "402 %s %s :No such server", user->nick, parameters[0]);
4030                         }
4031                         return 1;
4032                 }
4033                 return 0;
4034         }
4035
4036         int HandleStats(const char** parameters, int pcnt, userrec* user)
4037         {
4038                 if (pcnt > 1)
4039                 {
4040                         /* Remote STATS, the server is within the 2nd parameter */
4041                         std::deque<std::string> params;
4042                         params.push_back(parameters[0]);
4043                         params.push_back(parameters[1]);
4044                         /* Send it out remotely, generate no reply yet */
4045                         TreeServer* s = FindServerMask(parameters[1]);
4046                         if (s)
4047                         {
4048                                 params[1] = s->GetName();
4049                                 DoOneToOne(user->nick, "STATS", params, s->GetName());
4050                         }
4051                         else
4052                         {
4053                                 user->WriteServ( "402 %s %s :No such server", user->nick, parameters[0]);
4054                         }
4055                         return 1;
4056                 }
4057                 return 0;
4058         }
4059
4060         // Ok, prepare to be confused.
4061         // After much mulling over how to approach this, it struck me that
4062         // the 'usual' way of doing a /MAP isnt the best way. Instead of
4063         // keeping track of a ton of ascii characters, and line by line
4064         // under recursion working out where to place them using multiplications
4065         // and divisons, we instead render the map onto a backplane of characters
4066         // (a character matrix), then draw the branches as a series of "L" shapes
4067         // from the nodes. This is not only friendlier on CPU it uses less stack.
4068
4069         void HandleMap(const char** parameters, int pcnt, userrec* user)
4070         {
4071                 // This array represents a virtual screen which we will
4072                 // "scratch" draw to, as the console device of an irc
4073                 // client does not provide for a proper terminal.
4074                 float totusers = 0;
4075                 float totservers = 0;
4076                 char matrix[128][80];
4077                 for (unsigned int t = 0; t < 128; t++)
4078                 {
4079                         matrix[t][0] = '\0';
4080                 }
4081                 line = 0;
4082                 // The only recursive bit is called here.
4083                 ShowMap(TreeRoot,user,0,matrix,totusers,totservers);
4084                 // Process each line one by one. The algorithm has a limit of
4085                 // 128 servers (which is far more than a spanning tree should have
4086                 // anyway, so we're ok). This limit can be raised simply by making
4087                 // the character matrix deeper, 128 rows taking 10k of memory.
4088                 for (int l = 1; l < line; l++)
4089                 {
4090                         // scan across the line looking for the start of the
4091                         // servername (the recursive part of the algorithm has placed
4092                         // the servers at indented positions depending on what they
4093                         // are related to)
4094                         int first_nonspace = 0;
4095                         while (matrix[l][first_nonspace] == ' ')
4096                         {
4097                                 first_nonspace++;
4098                         }
4099                         first_nonspace--;
4100                         // Draw the `- (corner) section: this may be overwritten by
4101                         // another L shape passing along the same vertical pane, becoming
4102                         // a |- (branch) section instead.
4103                         matrix[l][first_nonspace] = '-';
4104                         matrix[l][first_nonspace-1] = '`';
4105                         int l2 = l - 1;
4106                         // Draw upwards until we hit the parent server, causing possibly
4107                         // other corners (`-) to become branches (|-)
4108                         while ((matrix[l2][first_nonspace-1] == ' ') || (matrix[l2][first_nonspace-1] == '`'))
4109                         {
4110                                 matrix[l2][first_nonspace-1] = '|';
4111                                 l2--;
4112                         }
4113                 }
4114                 // dump the whole lot to the user. This is the easy bit, honest.
4115                 for (int t = 0; t < line; t++)
4116                 {
4117                         user->WriteServ("006 %s :%s",user->nick,&matrix[t][0]);
4118                 }
4119                 float avg_users = totusers / totservers;
4120                 user->WriteServ("270 %s :%.0f server%s and %.0f user%s, average %.2f users per server",user->nick,totservers,(totservers > 1 ? "s" : ""),totusers,(totusers > 1 ? "s" : ""),avg_users);
4121         user->WriteServ("007 %s :End of /MAP",user->nick);
4122                 return;
4123         }
4124
4125         int HandleSquit(const char** parameters, int pcnt, userrec* user)
4126         {
4127                 TreeServer* s = FindServerMask(parameters[0]);
4128                 if (s)
4129                 {
4130                         if (s == TreeRoot)
4131                         {
4132                                  user->WriteServ("NOTICE %s :*** SQUIT: Foolish mortal, you cannot make a server SQUIT itself! (%s matches local server name)",user->nick,parameters[0]);
4133                                 return 1;
4134                         }
4135                         TreeSocket* sock = s->GetSocket();
4136                         if (sock)
4137                         {
4138                                 ServerInstance->Log(DEBUG,"Splitting server %s",s->GetName().c_str());
4139                                 ServerInstance->SNO->WriteToSnoMask('l',"SQUIT: Server \002%s\002 removed from network by %s",parameters[0],user->nick);
4140                                 sock->Squit(s,"Server quit by "+std::string(user->nick)+"!"+std::string(user->ident)+"@"+std::string(user->host));
4141                                 ServerInstance->SE->DelFd(sock);
4142                                 sock->Close();
4143                                 delete sock;
4144                         }
4145                         else
4146                         {
4147                                 user->WriteServ("NOTICE %s :*** SQUIT: The server \002%s\002 is not directly connected.",user->nick,parameters[0]);
4148                         }
4149                 }
4150                 else
4151                 {
4152                          user->WriteServ("NOTICE %s :*** SQUIT: The server \002%s\002 does not exist on the network.",user->nick,parameters[0]);
4153                 }
4154                 return 1;
4155         }
4156
4157         int HandleTime(const char** parameters, int pcnt, userrec* user)
4158         {
4159                 if ((IS_LOCAL(user)) && (pcnt))
4160                 {
4161                         TreeServer* found = FindServerMask(parameters[0]);
4162                         if (found)
4163                         {
4164                                 // we dont' override for local server
4165                                 if (found == TreeRoot)
4166                                         return 0;
4167                                 
4168                                 std::deque<std::string> params;
4169                                 params.push_back(found->GetName());
4170                                 params.push_back(user->nick);
4171                                 DoOneToOne(ServerInstance->Config->ServerName,"TIME",params,found->GetName());
4172                         }
4173                         else
4174                         {
4175                                 user->WriteServ("402 %s %s :No such server",user->nick,parameters[0]);
4176                         }
4177                 }
4178                 return 1;
4179         }
4180
4181         int HandleRemoteWhois(const char** parameters, int pcnt, userrec* user)
4182         {
4183                 if ((IS_LOCAL(user)) && (pcnt > 1))
4184                 {
4185                         userrec* remote = ServerInstance->FindNick(parameters[1]);
4186                         if ((remote) && (remote->GetFd() < 0))
4187                         {
4188                                 std::deque<std::string> params;
4189                                 params.push_back(parameters[1]);
4190                                 DoOneToOne(user->nick,"IDLE",params,remote->server);
4191                                 return 1;
4192                         }
4193                         else if (!remote)
4194                         {
4195                                 user->WriteServ("401 %s %s :No such nick/channel",user->nick, parameters[1]);
4196                                 user->WriteServ("318 %s %s :End of /WHOIS list.",user->nick, parameters[1]);
4197                                 return 1;
4198                         }
4199                 }
4200                 return 0;
4201         }
4202
4203         void DoPingChecks(time_t curtime)
4204         {
4205                 for (unsigned int j = 0; j < TreeRoot->ChildCount(); j++)
4206                 {
4207                         TreeServer* serv = TreeRoot->GetChild(j);
4208                         TreeSocket* sock = serv->GetSocket();
4209                         if (sock)
4210                         {
4211                                 if (curtime >= serv->NextPingTime())
4212                                 {
4213                                         if (serv->AnsweredLastPing())
4214                                         {
4215                                                 sock->WriteLine(std::string(":")+ServerInstance->Config->ServerName+" PING "+serv->GetName());
4216                                                 serv->SetNextPingTime(curtime + 60);
4217                                         }
4218                                         else
4219                                         {
4220                                                 // they didnt answer, boot them
4221                                                 ServerInstance->SNO->WriteToSnoMask('l',"Server \002%s\002 pinged out",serv->GetName().c_str());
4222                                                 sock->Squit(serv,"Ping timeout");
4223                                                 ServerInstance->SE->DelFd(sock);
4224                                                 sock->Close();
4225                                                 delete sock;
4226                                                 return;
4227                                         }
4228                                 }
4229                         }
4230                 }
4231         }
4232
4233         void ConnectServer(Link* x)
4234         {
4235                 insp_inaddr binip;
4236
4237                 /* Do we already have an IP? If so, no need to resolve it. */
4238                 if (insp_aton(x->IPAddr.c_str(), &binip) > 0)
4239                 {
4240                         TreeSocket* newsocket = new TreeSocket(ServerInstance, x->IPAddr,x->Port,false,10,x->Name.c_str());
4241                         if (newsocket->GetFd() > -1)
4242                         {
4243                                 /* Handled automatically on success */
4244                         }
4245                         else
4246                         {
4247                                 ServerInstance->SNO->WriteToSnoMask('l',"CONNECT: Error connecting \002%s\002: %s.",x->Name.c_str(),strerror(errno));
4248                                 delete newsocket;
4249                                 this->DoFailOver(x);
4250                         }
4251                 }
4252                 else
4253                 {
4254                         try
4255                         {
4256                                 ServernameResolver* snr = new ServernameResolver(ServerInstance,x->IPAddr, *x);
4257                                 ServerInstance->AddResolver(snr);
4258                         }
4259                         catch (ModuleException& e)
4260                         {
4261                                 ServerInstance->Log(DEBUG,"Error in resolver: %s",e.GetReason());
4262                                 this->DoFailOver(x);
4263                         }
4264                 }
4265         }
4266
4267         void DoFailOver(Link* x)
4268         {
4269                 if (x->FailOver.length())
4270                 {
4271                         if (x->FailOver == x->Name)
4272                         {
4273                                 ServerInstance->SNO->WriteToSnoMask('l',"FAILOVER: Some muppet configured the failover for server \002%s\002 to point at itself. Not following it!", x->Name.c_str());
4274                                 return;
4275                         }
4276                         Link* TryThisOne = this->FindLink(x->FailOver.c_str());
4277                         if (TryThisOne)
4278                         {
4279                                 ServerInstance->SNO->WriteToSnoMask('l',"FAILOVER: Trying failover link for \002%s\002: \002%s\002...", x->Name.c_str(), TryThisOne->Name.c_str());
4280                                 ConnectServer(TryThisOne);
4281                         }
4282                         else
4283                         {
4284                                 ServerInstance->SNO->WriteToSnoMask('l',"FAILOVER: Invalid failover server specified for server \002%s\002, will not follow!", x->Name.c_str());
4285                         }
4286                 }
4287         }
4288
4289         Link* FindLink(const std::string& name)
4290         {
4291                 for (std::vector<Link>::iterator x = LinkBlocks.begin(); x < LinkBlocks.end(); x++)
4292                 {
4293                         if (ServerInstance->MatchText(x->Name.c_str(), name.c_str()))
4294                         {
4295                                 return &(*x);
4296                         }
4297                 }
4298                 return NULL;
4299         }
4300
4301         void AutoConnectServers(time_t curtime)
4302         {
4303                 for (std::vector<Link>::iterator x = LinkBlocks.begin(); x < LinkBlocks.end(); x++)
4304                 {
4305                         if ((x->AutoConnect) && (curtime >= x->NextConnectTime))
4306                         {
4307                                 ServerInstance->Log(DEBUG,"Auto-Connecting %s",x->Name.c_str());
4308                                 x->NextConnectTime = curtime + x->AutoConnect;
4309                                 TreeServer* CheckDupe = FindServer(x->Name.c_str());
4310                                 if (x->FailOver.length())
4311                                 {
4312                                         TreeServer* CheckFailOver = FindServer(x->FailOver.c_str());
4313                                         if (CheckFailOver)
4314                                         {
4315                                                 /* The failover for this server is currently a member of the network.
4316                                                  * The failover probably succeeded, where the main link did not.
4317                                                  * Don't try the main link until the failover is gone again.
4318                                                  */
4319                                                 continue;
4320                                         }
4321                                 }
4322                                 if (!CheckDupe)
4323                                 {
4324                                         // an autoconnected server is not connected. Check if its time to connect it
4325                                         ServerInstance->SNO->WriteToSnoMask('l',"AUTOCONNECT: Auto-connecting server \002%s\002 (%lu seconds until next attempt)",x->Name.c_str(),x->AutoConnect);
4326                                         this->ConnectServer(&(*x));
4327                                 }
4328                         }
4329                 }
4330         }
4331
4332         int HandleVersion(const char** parameters, int pcnt, userrec* user)
4333         {
4334                 // we've already checked if pcnt > 0, so this is safe
4335                 TreeServer* found = FindServerMask(parameters[0]);
4336                 if (found)
4337                 {
4338                         std::string Version = found->GetVersion();
4339                         user->WriteServ("351 %s :%s",user->nick,Version.c_str());
4340                         if (found == TreeRoot)
4341                         {
4342                                 std::stringstream out(ServerInstance->Config->data005);
4343                                 std::string token = "";
4344                                 std::string line5 = "";
4345                                 int token_counter = 0;
4346
4347                                 while (!out.eof())
4348                                 {
4349                                         out >> token;
4350                                         line5 = line5 + token + " ";   
4351                                         token_counter++;
4352
4353                                         if ((token_counter >= 13) || (out.eof() == true))
4354                                         {
4355                                                 user->WriteServ("005 %s %s:are supported by this server",user->nick,line5.c_str());
4356                                                 line5 = "";
4357                                                 token_counter = 0;
4358                                         }
4359                                 }
4360                         }
4361                 }
4362                 else
4363                 {
4364                         user->WriteServ("402 %s %s :No such server",user->nick,parameters[0]);
4365                 }
4366                 return 1;
4367         }
4368         
4369         int HandleConnect(const char** parameters, int pcnt, userrec* user)
4370         {
4371                 for (std::vector<Link>::iterator x = LinkBlocks.begin(); x < LinkBlocks.end(); x++)
4372                 {
4373                         if (ServerInstance->MatchText(x->Name.c_str(),parameters[0]))
4374                         {
4375                                 TreeServer* CheckDupe = FindServer(x->Name.c_str());
4376                                 if (!CheckDupe)
4377                                 {
4378                                         user->WriteServ("NOTICE %s :*** CONNECT: Connecting to server: \002%s\002 (%s:%d)",user->nick,x->Name.c_str(),(x->HiddenFromStats ? "<hidden>" : x->IPAddr.c_str()),x->Port);
4379                                         ConnectServer(&(*x));
4380                                         return 1;
4381                                 }
4382                                 else
4383                                 {
4384                                         user->WriteServ("NOTICE %s :*** CONNECT: Server \002%s\002 already exists on the network and is connected via \002%s\002",user->nick,x->Name.c_str(),CheckDupe->GetParent()->GetName().c_str());
4385                                         return 1;
4386                                 }
4387                         }
4388                 }
4389                 user->WriteServ("NOTICE %s :*** CONNECT: No server matching \002%s\002 could be found in the config file.",user->nick,parameters[0]);
4390                 return 1;
4391         }
4392
4393         virtual int OnStats(char statschar, userrec* user, string_list &results)
4394         {
4395                 if (statschar == 'c')
4396                 {
4397                         for (unsigned int i = 0; i < LinkBlocks.size(); i++)
4398                         {
4399                                 results.push_back(std::string(ServerInstance->Config->ServerName)+" 213 "+user->nick+" C *@"+(LinkBlocks[i].HiddenFromStats ? "<hidden>" : LinkBlocks[i].IPAddr)+" * "+LinkBlocks[i].Name.c_str()+" "+ConvToStr(LinkBlocks[i].Port)+" "+(LinkBlocks[i].EncryptionKey != "" ? 'e' : '-')+(LinkBlocks[i].AutoConnect ? 'a' : '-')+'s');
4400                                 results.push_back(std::string(ServerInstance->Config->ServerName)+" 244 "+user->nick+" H * * "+LinkBlocks[i].Name.c_str());
4401                         }
4402                         results.push_back(std::string(ServerInstance->Config->ServerName)+" 219 "+user->nick+" "+statschar+" :End of /STATS report");
4403                         ServerInstance->SNO->WriteToSnoMask('t',"Notice: %s '%c' requested by %s (%s@%s)",(!strcmp(user->server,ServerInstance->Config->ServerName) ? "Stats" : "Remote stats"),statschar,user->nick,user->ident,user->host);
4404                         return 1;
4405                 }
4406                 return 0;
4407         }
4408
4409         virtual int OnPreCommand(const std::string &command, const char** parameters, int pcnt, userrec *user, bool validated, const std::string &original_line)
4410         {
4411                 /* If the command doesnt appear to be valid, we dont want to mess with it. */
4412                 if (!validated)
4413                         return 0;
4414
4415                 if (command == "CONNECT")
4416                 {
4417                         return this->HandleConnect(parameters,pcnt,user);
4418                 }
4419                 else if (command == "STATS")
4420                 {
4421                         return this->HandleStats(parameters,pcnt,user);
4422                 }
4423                 else if (command == "MOTD")
4424                 {
4425                         return this->HandleMotd(parameters,pcnt,user);
4426                 }
4427                 else if (command == "ADMIN")
4428                 {
4429                         return this->HandleAdmin(parameters,pcnt,user);
4430                 }
4431                 else if (command == "SQUIT")
4432                 {
4433                         return this->HandleSquit(parameters,pcnt,user);
4434                 }
4435                 else if (command == "MAP")
4436                 {
4437                         this->HandleMap(parameters,pcnt,user);
4438                         return 1;
4439                 }
4440                 else if ((command == "TIME") && (pcnt > 0))
4441                 {
4442                         return this->HandleTime(parameters,pcnt,user);
4443                 }
4444                 else if (command == "LUSERS")
4445                 {
4446                         this->HandleLusers(parameters,pcnt,user);
4447                         return 1;
4448                 }
4449                 else if (command == "LINKS")
4450                 {
4451                         this->HandleLinks(parameters,pcnt,user);
4452                         return 1;
4453                 }
4454                 else if (command == "WHOIS")
4455                 {
4456                         if (pcnt > 1)
4457                         {
4458                                 // remote whois
4459                                 return this->HandleRemoteWhois(parameters,pcnt,user);
4460                         }
4461                 }
4462                 else if ((command == "VERSION") && (pcnt > 0))
4463                 {
4464                         this->HandleVersion(parameters,pcnt,user);
4465                         return 1;
4466                 }
4467
4468                 return 0;
4469         }
4470
4471         virtual void OnPostCommand(const std::string &command, const char** parameters, int pcnt, userrec *user, CmdResult result, const std::string &original_line)
4472         {
4473                 if ((result == CMD_SUCCESS) && (ServerInstance->IsValidModuleCommand(command, pcnt, user)))
4474                 {
4475                         // this bit of code cleverly routes all module commands
4476                         // to all remote severs *automatically* so that modules
4477                         // can just handle commands locally, without having
4478                         // to have any special provision in place for remote
4479                         // commands and linking protocols.
4480                         std::deque<std::string> params;
4481                         params.clear();
4482                         for (int j = 0; j < pcnt; j++)
4483                         {
4484                                 if (strchr(parameters[j],' '))
4485                                 {
4486                                         params.push_back(":" + std::string(parameters[j]));
4487                                 }
4488                                 else
4489                                 {
4490                                         params.push_back(std::string(parameters[j]));
4491                                 }
4492                         }
4493                         ServerInstance->Log(DEBUG,"Globally route '%s'",command.c_str());
4494                         DoOneToMany(user->nick,command,params);
4495                 }
4496         }
4497
4498         virtual void OnGetServerDescription(const std::string &servername,std::string &description)
4499         {
4500                 TreeServer* s = FindServer(servername);
4501                 if (s)
4502                 {
4503                         description = s->GetDesc();
4504                 }
4505         }
4506
4507         virtual void OnUserInvite(userrec* source,userrec* dest,chanrec* channel)
4508         {
4509                 if (IS_LOCAL(source))
4510                 {
4511                         std::deque<std::string> params;
4512                         params.push_back(dest->nick);
4513                         params.push_back(channel->name);
4514                         DoOneToMany(source->nick,"INVITE",params);
4515                 }
4516         }
4517
4518         virtual void OnPostLocalTopicChange(userrec* user, chanrec* chan, const std::string &topic)
4519         {
4520                 std::deque<std::string> params;
4521                 params.push_back(chan->name);
4522                 params.push_back(":"+topic);
4523                 DoOneToMany(user->nick,"TOPIC",params);
4524         }
4525
4526         virtual void OnWallops(userrec* user, const std::string &text)
4527         {
4528                 if (IS_LOCAL(user))
4529                 {
4530                         std::deque<std::string> params;
4531                         params.push_back(":"+text);
4532                         DoOneToMany(user->nick,"WALLOPS",params);
4533                 }
4534         }
4535
4536         virtual void OnUserNotice(userrec* user, void* dest, int target_type, const std::string &text, char status)
4537         {
4538                 if (target_type == TYPE_USER)
4539                 {
4540                         userrec* d = (userrec*)dest;
4541                         if ((d->GetFd() < 0) && (IS_LOCAL(user)))
4542                         {
4543                                 std::deque<std::string> params;
4544                                 params.clear();
4545                                 params.push_back(d->nick);
4546                                 params.push_back(":"+text);
4547                                 DoOneToOne(user->nick,"NOTICE",params,d->server);
4548                         }
4549                 }
4550                 else if (target_type == TYPE_CHANNEL)
4551                 {
4552                         if (IS_LOCAL(user))
4553                         {
4554                                 chanrec *c = (chanrec*)dest;
4555                                 if (c)
4556                                 {
4557                                         std::string cname = c->name;
4558                                         if (status)
4559                                                 cname = status + cname;
4560                                         std::deque<TreeServer*> list;
4561                                         GetListOfServersForChannel(c,list);
4562                                         unsigned int ucount = list.size();
4563                                         for (unsigned int i = 0; i < ucount; i++)
4564                                         {
4565                                                 TreeSocket* Sock = list[i]->GetSocket();
4566                                                 if (Sock)
4567                                                         Sock->WriteLine(":"+std::string(user->nick)+" NOTICE "+cname+" :"+text);
4568                                         }
4569                                 }
4570                         }
4571                 }
4572                 else if (target_type == TYPE_SERVER)
4573                 {
4574                         if (IS_LOCAL(user))
4575                         {
4576                                 char* target = (char*)dest;
4577                                 std::deque<std::string> par;
4578                                 par.push_back(target);
4579                                 par.push_back(":"+text);
4580                                 DoOneToMany(user->nick,"NOTICE",par);
4581                         }
4582                 }
4583         }
4584
4585         virtual void OnUserMessage(userrec* user, void* dest, int target_type, const std::string &text, char status)
4586         {
4587                 if (target_type == TYPE_USER)
4588                 {
4589                         // route private messages which are targetted at clients only to the server
4590                         // which needs to receive them
4591                         userrec* d = (userrec*)dest;
4592                         if ((d->GetFd() < 0) && (IS_LOCAL(user)))
4593                         {
4594                                 std::deque<std::string> params;
4595                                 params.clear();
4596                                 params.push_back(d->nick);
4597                                 params.push_back(":"+text);
4598                                 DoOneToOne(user->nick,"PRIVMSG",params,d->server);
4599                         }
4600                 }
4601                 else if (target_type == TYPE_CHANNEL)
4602                 {
4603                         if (IS_LOCAL(user))
4604                         {
4605                                 chanrec *c = (chanrec*)dest;
4606                                 if (c)
4607                                 {
4608                                         std::string cname = c->name;
4609                                         if (status)
4610                                                 cname = status + cname;
4611                                         std::deque<TreeServer*> list;
4612                                         GetListOfServersForChannel(c,list);
4613                                         unsigned int ucount = list.size();
4614                                         for (unsigned int i = 0; i < ucount; i++)
4615                                         {
4616                                                 TreeSocket* Sock = list[i]->GetSocket();
4617                                                 if (Sock)
4618                                                         Sock->WriteLine(":"+std::string(user->nick)+" PRIVMSG "+cname+" :"+text);
4619                                         }
4620                                 }
4621                         }
4622                 }
4623                 else if (target_type == TYPE_SERVER)
4624                 {
4625                         if (IS_LOCAL(user))
4626                         {
4627                                 char* target = (char*)dest;
4628                                 std::deque<std::string> par;
4629                                 par.push_back(target);
4630                                 par.push_back(":"+text);
4631                                 DoOneToMany(user->nick,"PRIVMSG",par);
4632                         }
4633                 }
4634         }
4635
4636         virtual void OnBackgroundTimer(time_t curtime)
4637         {
4638                 AutoConnectServers(curtime);
4639                 DoPingChecks(curtime);
4640         }
4641
4642         virtual void OnUserJoin(userrec* user, chanrec* channel)
4643         {
4644                 // Only do this for local users
4645                 if (IS_LOCAL(user))
4646                 {
4647                         std::deque<std::string> params;
4648                         params.clear();
4649                         params.push_back(channel->name);
4650                         // set up their permissions and the channel TS with FJOIN.
4651                         // All users are FJOINed now, because a module may specify
4652                         // new joining permissions for the user.
4653                         params.clear();
4654                         params.push_back(channel->name);
4655                         params.push_back(ConvToStr(channel->age));
4656                         params.push_back(std::string(channel->GetAllPrefixChars(user))+","+std::string(user->nick));
4657                         DoOneToMany(ServerInstance->Config->ServerName,"FJOIN",params);
4658                 }
4659         }
4660
4661         virtual void OnChangeHost(userrec* user, const std::string &newhost)
4662         {
4663                 // only occurs for local clients
4664                 if (user->registered != REG_ALL)
4665                         return;
4666                 std::deque<std::string> params;
4667                 params.push_back(newhost);
4668                 DoOneToMany(user->nick,"FHOST",params);
4669         }
4670
4671         virtual void OnChangeName(userrec* user, const std::string &gecos)
4672         {
4673                 // only occurs for local clients
4674                 if (user->registered != REG_ALL)
4675                         return;
4676                 std::deque<std::string> params;
4677                 params.push_back(gecos);
4678                 DoOneToMany(user->nick,"FNAME",params);
4679         }
4680
4681         virtual void OnUserPart(userrec* user, chanrec* channel, const std::string &partmessage)
4682         {
4683                 if (IS_LOCAL(user))
4684                 {
4685                         std::deque<std::string> params;
4686                         params.push_back(channel->name);
4687                         if (partmessage != "")
4688                                 params.push_back(":"+partmessage);
4689                         DoOneToMany(user->nick,"PART",params);
4690                 }
4691         }
4692
4693         virtual void OnUserConnect(userrec* user)
4694         {
4695                 char agestr[MAXBUF];
4696                 if (IS_LOCAL(user))
4697                 {
4698                         std::deque<std::string> params;
4699                         snprintf(agestr,MAXBUF,"%lu",(unsigned long)user->age);
4700                         params.push_back(agestr);
4701                         params.push_back(user->nick);
4702                         params.push_back(user->host);
4703                         params.push_back(user->dhost);
4704                         params.push_back(user->ident);
4705                         params.push_back("+"+std::string(user->FormatModes()));
4706                         params.push_back(user->GetIPString());
4707                         params.push_back(":"+std::string(user->fullname));
4708                         DoOneToMany(ServerInstance->Config->ServerName,"NICK",params);
4709
4710                         // User is Local, change needs to be reflected!
4711                         TreeServer* SourceServer = FindServer(user->server);
4712                         if (SourceServer)
4713                         {
4714                                 SourceServer->AddUserCount();
4715                         }
4716
4717                 }
4718         }
4719
4720         virtual void OnUserQuit(userrec* user, const std::string &reason)
4721         {
4722                 if ((IS_LOCAL(user)) && (user->registered == REG_ALL))
4723                 {
4724                         std::deque<std::string> params;
4725                         params.push_back(":"+reason);
4726                         DoOneToMany(user->nick,"QUIT",params);
4727                 }
4728                 // Regardless, We need to modify the user Counts..
4729                 TreeServer* SourceServer = FindServer(user->server);
4730                 if (SourceServer)
4731                 {
4732                         SourceServer->DelUserCount();
4733                 }
4734
4735         }
4736
4737         virtual void OnUserPostNick(userrec* user, const std::string &oldnick)
4738         {
4739                 if (IS_LOCAL(user))
4740                 {
4741                         std::deque<std::string> params;
4742                         params.push_back(user->nick);
4743                         DoOneToMany(oldnick,"NICK",params);
4744                 }
4745         }
4746
4747         virtual void OnUserKick(userrec* source, userrec* user, chanrec* chan, const std::string &reason)
4748         {
4749                 if ((source) && (IS_LOCAL(source)))
4750                 {
4751                         std::deque<std::string> params;
4752                         params.push_back(chan->name);
4753                         params.push_back(user->nick);
4754                         params.push_back(":"+reason);
4755                         DoOneToMany(source->nick,"KICK",params);
4756                 }
4757                 else if (!source)
4758                 {
4759                         std::deque<std::string> params;
4760                         params.push_back(chan->name);
4761                         params.push_back(user->nick);
4762                         params.push_back(":"+reason);
4763                         DoOneToMany(ServerInstance->Config->ServerName,"KICK",params);
4764                 }
4765         }
4766
4767         virtual void OnRemoteKill(userrec* source, userrec* dest, const std::string &reason)
4768         {
4769                 std::deque<std::string> params;
4770                 params.push_back(dest->nick);
4771                 params.push_back(":"+reason);
4772                 DoOneToMany(source->nick,"KILL",params);
4773         }
4774
4775         virtual void OnRehash(const std::string &parameter)
4776         {
4777                 if (parameter != "")
4778                 {
4779                         std::deque<std::string> params;
4780                         params.push_back(parameter);
4781                         DoOneToMany(ServerInstance->Config->ServerName,"REHASH",params);
4782                         // check for self
4783                         if (ServerInstance->MatchText(ServerInstance->Config->ServerName,parameter))
4784                         {
4785                                 ServerInstance->WriteOpers("*** Remote rehash initiated from server \002%s\002",ServerInstance->Config->ServerName);
4786                                 ServerInstance->RehashServer();
4787                         }
4788                 }
4789                 ReadConfiguration(false);
4790         }
4791
4792         // note: the protocol does not allow direct umode +o except
4793         // via NICK with 8 params. sending OPERTYPE infers +o modechange
4794         // locally.
4795         virtual void OnOper(userrec* user, const std::string &opertype)
4796         {
4797                 if (IS_LOCAL(user))
4798                 {
4799                         std::deque<std::string> params;
4800                         params.push_back(opertype);
4801                         DoOneToMany(user->nick,"OPERTYPE",params);
4802                 }
4803         }
4804
4805         void OnLine(userrec* source, const std::string &host, bool adding, char linetype, long duration, const std::string &reason)
4806         {
4807                 if (IS_LOCAL(source))
4808                 {
4809                         char type[8];
4810                         snprintf(type,8,"%cLINE",linetype);
4811                         std::string stype = type;
4812                         if (adding)
4813                         {
4814                                 char sduration[MAXBUF];
4815                                 snprintf(sduration,MAXBUF,"%ld",duration);
4816                                 std::deque<std::string> params;
4817                                 params.push_back(host);
4818                                 params.push_back(sduration);
4819                                 params.push_back(":"+reason);
4820                                 DoOneToMany(source->nick,stype,params);
4821                         }
4822                         else
4823                         {
4824                                 std::deque<std::string> params;
4825                                 params.push_back(host);
4826                                 DoOneToMany(source->nick,stype,params);
4827                         }
4828                 }
4829         }
4830
4831         virtual void OnAddGLine(long duration, userrec* source, const std::string &reason, const std::string &hostmask)
4832         {
4833                 OnLine(source,hostmask,true,'G',duration,reason);
4834         }
4835         
4836         virtual void OnAddZLine(long duration, userrec* source, const std::string &reason, const std::string &ipmask)
4837         {
4838                 OnLine(source,ipmask,true,'Z',duration,reason);
4839         }
4840
4841         virtual void OnAddQLine(long duration, userrec* source, const std::string &reason, const std::string &nickmask)
4842         {
4843                 OnLine(source,nickmask,true,'Q',duration,reason);
4844         }
4845
4846         virtual void OnAddELine(long duration, userrec* source, const std::string &reason, const std::string &hostmask)
4847         {
4848                 OnLine(source,hostmask,true,'E',duration,reason);
4849         }
4850
4851         virtual void OnDelGLine(userrec* source, const std::string &hostmask)
4852         {
4853                 OnLine(source,hostmask,false,'G',0,"");
4854         }
4855
4856         virtual void OnDelZLine(userrec* source, const std::string &ipmask)
4857         {
4858                 OnLine(source,ipmask,false,'Z',0,"");
4859         }
4860
4861         virtual void OnDelQLine(userrec* source, const std::string &nickmask)
4862         {
4863                 OnLine(source,nickmask,false,'Q',0,"");
4864         }
4865
4866         virtual void OnDelELine(userrec* source, const std::string &hostmask)
4867         {
4868                 OnLine(source,hostmask,false,'E',0,"");
4869         }
4870
4871         virtual void OnMode(userrec* user, void* dest, int target_type, const std::string &text)
4872         {
4873                 if ((IS_LOCAL(user)) && (user->registered == REG_ALL))
4874                 {
4875                         if (target_type == TYPE_USER)
4876                         {
4877                                 userrec* u = (userrec*)dest;
4878                                 std::deque<std::string> params;
4879                                 params.push_back(u->nick);
4880                                 params.push_back(text);
4881                                 DoOneToMany(user->nick,"MODE",params);
4882                         }
4883                         else
4884                         {
4885                                 chanrec* c = (chanrec*)dest;
4886                                 std::deque<std::string> params;
4887                                 params.push_back(c->name);
4888                                 params.push_back(text);
4889                                 DoOneToMany(user->nick,"MODE",params);
4890                         }
4891                 }
4892         }
4893
4894         virtual void OnSetAway(userrec* user)
4895         {
4896                 if (IS_LOCAL(user))
4897                 {
4898                         std::deque<std::string> params;
4899                         params.push_back(":"+std::string(user->awaymsg));
4900                         DoOneToMany(user->nick,"AWAY",params);
4901                 }
4902         }
4903
4904         virtual void OnCancelAway(userrec* user)
4905         {
4906                 if (IS_LOCAL(user))
4907                 {
4908                         std::deque<std::string> params;
4909                         params.clear();
4910                         DoOneToMany(user->nick,"AWAY",params);
4911                 }
4912         }
4913
4914         virtual void ProtoSendMode(void* opaque, int target_type, void* target, const std::string &modeline)
4915         {
4916                 TreeSocket* s = (TreeSocket*)opaque;
4917                 if (target)
4918                 {
4919                         if (target_type == TYPE_USER)
4920                         {
4921                                 userrec* u = (userrec*)target;
4922                                 s->WriteLine(std::string(":")+ServerInstance->Config->ServerName+" FMODE "+u->nick+" "+ConvToStr(u->age)+" "+modeline);
4923                         }
4924                         else
4925                         {
4926                                 chanrec* c = (chanrec*)target;
4927                                 s->WriteLine(std::string(":")+ServerInstance->Config->ServerName+" FMODE "+c->name+" "+ConvToStr(c->age)+" "+modeline);
4928                         }
4929                 }
4930         }
4931
4932         virtual void ProtoSendMetaData(void* opaque, int target_type, void* target, const std::string &extname, const std::string &extdata)
4933         {
4934                 TreeSocket* s = (TreeSocket*)opaque;
4935                 if (target)
4936                 {
4937                         if (target_type == TYPE_USER)
4938                         {
4939                                 userrec* u = (userrec*)target;
4940                                 s->WriteLine(std::string(":")+ServerInstance->Config->ServerName+" METADATA "+u->nick+" "+extname+" :"+extdata);
4941                         }
4942                         else if (target_type == TYPE_OTHER)
4943                         {
4944                                 s->WriteLine(std::string(":")+ServerInstance->Config->ServerName+" METADATA * "+extname+" :"+extdata);
4945                         }
4946                         else if (target_type == TYPE_CHANNEL)
4947                         {
4948                                 chanrec* c = (chanrec*)target;
4949                                 s->WriteLine(std::string(":")+ServerInstance->Config->ServerName+" METADATA "+c->name+" "+extname+" :"+extdata);
4950                         }
4951                 }
4952         }
4953
4954         virtual void OnEvent(Event* event)
4955         {
4956                 std::deque<std::string>* params = (std::deque<std::string>*)event->GetData();
4957
4958                 if (event->GetEventID() == "send_metadata")
4959                 {
4960                         if (params->size() < 3)
4961                                 return;
4962                         (*params)[2] = ":" + (*params)[2];
4963                         DoOneToMany(ServerInstance->Config->ServerName,"METADATA",*params);
4964                 }
4965                 else if (event->GetEventID() == "send_topic")
4966                 {
4967                         if (params->size() < 2)
4968                                 return;
4969                         (*params)[1] = ":" + (*params)[1];
4970                         params->insert(params->begin() + 1,ServerInstance->Config->ServerName);
4971                         params->insert(params->begin() + 1,ConvToStr(ServerInstance->Time()));
4972                         DoOneToMany(ServerInstance->Config->ServerName,"FTOPIC",*params);
4973                 }
4974                 else if (event->GetEventID() == "send_mode")
4975                 {
4976                         if (params->size() < 2)
4977                                 return;
4978                         // Insert the TS value of the object, either userrec or chanrec
4979                         time_t ourTS = 0;
4980                         userrec* a = ServerInstance->FindNick((*params)[0]);
4981                         if (a)
4982                         {
4983                                 ourTS = a->age;
4984                         }
4985                         else
4986                         {
4987                                 chanrec* a = ServerInstance->FindChan((*params)[0]);
4988                                 if (a)
4989                                 {
4990                                         ourTS = a->age;
4991                                 }
4992                         }
4993                         params->insert(params->begin() + 1,ConvToStr(ourTS));
4994                         DoOneToMany(ServerInstance->Config->ServerName,"FMODE",*params);
4995                 }
4996         }
4997
4998         virtual ~ModuleSpanningTree()
4999         {
5000                 ServerInstance->Log(DEBUG,"Performing unload of spanningtree!");
5001                 ServerInstance->Log(DEBUG,"Freeing %d bindings...",Bindings.size());
5002                 for (unsigned int i = 0; i < Bindings.size(); i++)
5003                 {
5004                         ServerInstance->Log(DEBUG,"Freeing binding %d of %d",i, Bindings.size());
5005                         ServerInstance->SE->DelFd(Bindings[i]);
5006                         Bindings[i]->Close();
5007                         DELETE(Bindings[i]);
5008                 }
5009                 ServerInstance->Log(DEBUG,"Freeing connected servers...");
5010                 while (TreeRoot->ChildCount())
5011                 {
5012                         TreeServer* child_server = TreeRoot->GetChild(0);
5013                         ServerInstance->Log(DEBUG,"Freeing connected server %s", child_server->GetName().c_str());
5014                         if (child_server)
5015                         {
5016                                 TreeSocket* sock = child_server->GetSocket();
5017                                 ServerInstance->SE->DelFd(sock);
5018                                 sock->Close();
5019                                 DELETE(sock);
5020                         }
5021                 }              
5022         }
5023
5024         virtual Version GetVersion()
5025         {
5026                 return Version(1,1,0,2,VF_VENDOR,API_VERSION);
5027         }
5028
5029         void Implements(char* List)
5030         {
5031                 List[I_OnPreCommand] = List[I_OnGetServerDescription] = List[I_OnUserInvite] = List[I_OnPostLocalTopicChange] = 1;
5032                 List[I_OnWallops] = List[I_OnUserNotice] = List[I_OnUserMessage] = List[I_OnBackgroundTimer] = 1;
5033                 List[I_OnUserJoin] = List[I_OnChangeHost] = List[I_OnChangeName] = List[I_OnUserPart] = List[I_OnUserConnect] = 1;
5034                 List[I_OnUserQuit] = List[I_OnUserPostNick] = List[I_OnUserKick] = List[I_OnRemoteKill] = List[I_OnRehash] = 1;
5035                 List[I_OnOper] = List[I_OnAddGLine] = List[I_OnAddZLine] = List[I_OnAddQLine] = List[I_OnAddELine] = 1;
5036                 List[I_OnDelGLine] = List[I_OnDelZLine] = List[I_OnDelQLine] = List[I_OnDelELine] = List[I_ProtoSendMode] = List[I_OnMode] = 1;
5037                 List[I_OnStats] = List[I_ProtoSendMetaData] = List[I_OnEvent] = List[I_OnSetAway] = List[I_OnCancelAway] = List[I_OnPostCommand] = 1;
5038         }
5039
5040         /* It is IMPORTANT that m_spanningtree is the last module in the chain
5041          * so that any activity it sees is FINAL, e.g. we arent going to send out
5042          * a NICK message before m_cloaking has finished putting the +x on the user,
5043          * etc etc.
5044          * Therefore, we return PRIORITY_LAST to make sure we end up at the END of
5045          * the module call queue.
5046          */
5047         Priority Prioritize()
5048         {
5049                 return PRIORITY_LAST;
5050         }
5051 };
5052
5053 void DoFailOver(Link* x)
5054 {
5055         TreeProtocolModule->DoFailOver(x);
5056 }
5057
5058 Link* FindLink(const std::string& name)
5059 {
5060         return TreeProtocolModule->FindLink(name);
5061 }
5062
5063 class ModuleSpanningTreeFactory : public ModuleFactory
5064 {
5065  public:
5066         ModuleSpanningTreeFactory()
5067         {
5068         }
5069         
5070         ~ModuleSpanningTreeFactory()
5071         {
5072         }
5073         
5074         virtual Module * CreateModule(InspIRCd* Me)
5075         {
5076                 TreeProtocolModule = new ModuleSpanningTree(Me);
5077                 return TreeProtocolModule;
5078         }
5079         
5080 };
5081
5082
5083 extern "C" void * init_module( void )
5084 {
5085         return new ModuleSpanningTreeFactory;
5086 }