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