]> git.netwichtig.de Git - user/henk/code/inspircd.git/blob - src/modules/m_spanningtree/treesocket1.cpp
Oops, forgot a branch (the logic here totally sucks, it will need cleaning up. I...
[user/henk/code/inspircd.git] / src / modules / m_spanningtree / treesocket1.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 #include "inspircd.h"
15 #include "configreader.h"
16 #include "users.h"
17 #include "channels.h"
18 #include "modules.h"
19 #include "commands/cmd_whois.h"
20 #include "commands/cmd_stats.h"
21 #include "socket.h"
22 #include "wildcard.h"
23 #include "xline.h"
24 #include "transport.h"
25 #include "m_hash.h"
26 #include "socketengine.h"
27
28 #include "m_spanningtree/main.h"
29 #include "m_spanningtree/utils.h"
30 #include "m_spanningtree/treeserver.h"
31 #include "m_spanningtree/link.h"
32 #include "m_spanningtree/treesocket.h"
33 #include "m_spanningtree/resolvers.h"
34 #include "m_spanningtree/handshaketimer.h"
35
36 /* $ModDep: m_spanningtree/timesynctimer.h m_spanningtree/resolvers.h m_spanningtree/main.h m_spanningtree/utils.h m_spanningtree/treeserver.h m_spanningtree/link.h m_spanningtree/treesocket.h m_hash.h */
37
38
39 /** Because most of the I/O gubbins are encapsulated within
40  * InspSocket, we just call the superclass constructor for
41  * most of the action, and append a few of our own values
42  * to it.
43  */
44 TreeSocket::TreeSocket(SpanningTreeUtilities* Util, InspIRCd* SI, std::string host, int port, bool listening, unsigned long maxtime, Module* HookMod)
45         : InspSocket(SI, host, port, listening, maxtime), Utils(Util), Hook(HookMod)
46 {
47         myhost = host;
48         this->LinkState = LISTENER;
49         theirchallenge.clear();
50         ourchallenge.clear();
51         if (listening && Hook)
52                 InspSocketHookRequest(this, (Module*)Utils->Creator, Hook).Send();
53 }
54
55 TreeSocket::TreeSocket(SpanningTreeUtilities* Util, InspIRCd* SI, std::string host, int port, bool listening, unsigned long maxtime, const std::string &ServerName, const std::string &bindto, Module* HookMod)
56         : InspSocket(SI, host, port, listening, maxtime, bindto), Utils(Util), Hook(HookMod)
57 {
58         myhost = ServerName;
59         theirchallenge.clear();
60         ourchallenge.clear();
61         this->LinkState = CONNECTING;
62         if (Hook)
63                 InspSocketHookRequest(this, (Module*)Utils->Creator, Hook).Send();
64 }
65
66 /** When a listening socket gives us a new file descriptor,
67  * we must associate it with a socket without creating a new
68  * connection. This constructor is used for this purpose.
69  */
70 TreeSocket::TreeSocket(SpanningTreeUtilities* Util, InspIRCd* SI, int newfd, char* ip, Module* HookMod)
71         : InspSocket(SI, newfd, ip), Utils(Util), Hook(HookMod)
72 {
73         this->LinkState = WAIT_AUTH_1;
74         theirchallenge.clear();
75         ourchallenge.clear();
76         sentcapab = false;
77         /* If we have a transport module hooked to the parent, hook the same module to this
78          * socket, and set a timer waiting for handshake before we send CAPAB etc.
79          */
80         if (Hook)
81                 InspSocketHookRequest(this, (Module*)Utils->Creator, Hook).Send();
82
83         Instance->Timers->AddTimer(new HandshakeTimer(Instance, this, &(Utils->LinkBlocks[0]), this->Utils, 1));
84 }
85
86 ServerState TreeSocket::GetLinkState()
87 {
88         return this->LinkState;
89 }
90
91 Module* TreeSocket::GetHook()
92 {
93         return this->Hook;
94 }
95
96 TreeSocket::~TreeSocket()
97 {
98         if (Hook)
99                 InspSocketUnhookRequest(this, (Module*)Utils->Creator, Hook).Send();
100
101         Utils->DelBurstingServer(this);
102 }
103
104 const std::string& TreeSocket::GetOurChallenge()
105 {
106         return this->ourchallenge;
107 }
108
109 void TreeSocket::SetOurChallenge(const std::string &c)
110 {
111         this->ourchallenge = c;
112 }
113
114 const std::string& TreeSocket::GetTheirChallenge()
115 {
116         return this->theirchallenge;
117 }
118
119 void TreeSocket::SetTheirChallenge(const std::string &c)
120 {
121         this->theirchallenge = c;
122 }
123
124 std::string TreeSocket::MakePass(const std::string &password, const std::string &challenge)
125 {
126         /* This is a simple (maybe a bit hacky?) HMAC algorithm, thanks to jilles for
127          * suggesting the use of HMAC to secure the password against various attacks.
128          *
129          * Note: If m_sha256.so is not loaded, we MUST fall back to plaintext with no
130          *       HMAC challenge/response.
131          */
132         Module* sha256 = Instance->FindModule("m_sha256.so");
133         if (Utils->ChallengeResponse && sha256 && !challenge.empty())
134         {
135                 /* XXX: This is how HMAC is supposed to be done:
136                  *
137                  * sha256( (pass xor 0x5c) + sha256((pass xor 0x36) + m) )
138                  *
139                  * Note that we are encoding the hex hash, not the binary
140                  * output of the hash which is slightly different to standard.
141                  *
142                  * Don't ask me why its always 0x5c and 0x36... it just is.
143                  */
144                 std::string hmac1, hmac2;
145
146                 for (size_t n = 0; n < password.length(); n++)
147                 {
148                         hmac1 += static_cast<char>(password[n] ^ 0x5C);
149                         hmac2 += static_cast<char>(password[n] ^ 0x36);
150                 }
151
152                 hmac2 += challenge;
153                 HashResetRequest(Utils->Creator, sha256).Send();
154                 hmac2 = HashSumRequest(Utils->Creator, sha256, hmac2).Send();
155
156                 HashResetRequest(Utils->Creator, sha256).Send();
157                 std::string hmac = hmac1 + hmac2;
158                 hmac = HashSumRequest(Utils->Creator, sha256, hmac).Send();
159
160                 return "HMAC-SHA256:"+ hmac;
161         }
162         else if (!challenge.empty() && !sha256)
163                 Instance->Log(DEFAULT,"Not authenticating to server using SHA256/HMAC because we don't have m_sha256 loaded!");
164
165         return password;
166 }
167
168 /** When an outbound connection finishes connecting, we receive
169  * this event, and must send our SERVER string to the other
170  * side. If the other side is happy, as outlined in the server
171  * to server docs on the inspircd.org site, the other side
172  * will then send back its own server string.
173  */
174 bool TreeSocket::OnConnected()
175 {
176         if (this->LinkState == CONNECTING)
177         {
178                 /* we do not need to change state here. */
179                 for (std::vector<Link>::iterator x = Utils->LinkBlocks.begin(); x < Utils->LinkBlocks.end(); x++)
180                 {
181                         if (x->Name == this->myhost)
182                         {
183                                 Utils->Creator->RemoteMessage(NULL,"Connection to \2%s\2[%s] started.", myhost.c_str(), (x->HiddenFromStats ? "<hidden>" : this->GetIP().c_str()));
184                                 if (Hook)
185                                 {
186                                         InspSocketHookRequest(this, (Module*)Utils->Creator, Hook).Send();
187                                         Utils->Creator->RemoteMessage(NULL,"Connection to \2%s\2[%s] using transport \2%s\2", myhost.c_str(), (x->HiddenFromStats ? "<hidden>" : this->GetIP().c_str()),
188                                                         x->Hook.c_str());
189                                 }
190                                 this->OutboundPass = x->SendPass;
191                                 sentcapab = false;
192
193                                 /* found who we're supposed to be connecting to, send the neccessary gubbins. */
194                                 if (this->GetHook())
195                                         Instance->Timers->AddTimer(new HandshakeTimer(Instance, this, &(*x), this->Utils, 1));
196                                 else
197                                         this->SendCapabilities();
198
199                                 return true;
200                         }
201                 }
202         }
203         /* There is a (remote) chance that between the /CONNECT and the connection
204          * being accepted, some muppet has removed the <link> block and rehashed.
205          * If that happens the connection hangs here until it's closed. Unlikely
206          * and rather harmless.
207          */
208         this->Utils->Creator->RemoteMessage(NULL,"Connection to \2%s\2 lost link tag(!)", myhost.c_str());
209         return true;
210 }
211
212 void TreeSocket::OnError(InspSocketError e)
213 {
214         Link* MyLink;
215
216         if (this->LinkState == LISTENER)
217                 return;
218
219         switch (e)
220         {
221                 case I_ERR_CONNECT:
222                         Utils->Creator->RemoteMessage(NULL,"Connection failed: Connection to \002%s\002 refused", myhost.c_str());
223                         MyLink = Utils->FindLink(myhost);
224                         if (MyLink)
225                                 Utils->DoFailOver(MyLink);
226                 break;
227                 case I_ERR_SOCKET:
228                         Utils->Creator->RemoteMessage(NULL,"Connection failed: Could not create socket");
229                 break;
230                 case I_ERR_BIND:
231                         Utils->Creator->RemoteMessage(NULL,"Connection failed: Error binding socket to address or port");
232                 break;
233                 case I_ERR_WRITE:
234                         Utils->Creator->RemoteMessage(NULL,"Connection failed: I/O error on connection");
235                 break;
236                 case I_ERR_NOMOREFDS:
237                         Utils->Creator->RemoteMessage(NULL,"Connection failed: Operating system is out of file descriptors!");
238                 break;
239                 default:
240                         if ((errno) && (errno != EINPROGRESS) && (errno != EAGAIN))
241                                 Utils->Creator->RemoteMessage(NULL,"Connection to \002%s\002 failed with OS error: %s", myhost.c_str(), strerror(errno));
242                 break;
243         }
244 }
245
246 int TreeSocket::OnDisconnect()
247 {
248         /* For the same reason as above, we don't
249          * handle OnDisconnect()
250          */
251         return true;
252 }
253
254 /** Recursively send the server tree with distances as hops.
255  * This is used during network burst to inform the other server
256  * (and any of ITS servers too) of what servers we know about.
257  * If at any point any of these servers already exist on the other
258  * end, our connection may be terminated. The hopcounts given
259  * by this function are relative, this doesn't matter so long as
260  * they are all >1, as all the remote servers re-calculate them
261  * to be relative too, with themselves as hop 0.
262  */
263 void TreeSocket::SendServers(TreeServer* Current, TreeServer* s, int hops)
264 {
265         char command[1024];
266         for (unsigned int q = 0; q < Current->ChildCount(); q++)
267         {
268                 TreeServer* recursive_server = Current->GetChild(q);
269                 if (recursive_server != s)
270                 {
271                         snprintf(command,1024,":%s SERVER %s * %d :%s",Current->GetName().c_str(),recursive_server->GetName().c_str(),hops,recursive_server->GetDesc().c_str());
272                         this->WriteLine(command);
273                         this->WriteLine(":"+recursive_server->GetName()+" VERSION :"+recursive_server->GetVersion());
274                         /* down to next level */
275                         this->SendServers(recursive_server, s, hops+1);
276                 }
277         }
278 }
279
280 std::string TreeSocket::MyCapabilities()
281 {
282         std::vector<std::string> modlist;
283         std::string capabilities;
284         for (int i = 0; i <= this->Instance->GetModuleCount(); i++)
285         {
286                 if (this->Instance->modules[i]->GetVersion().Flags & VF_COMMON)
287                         modlist.push_back(this->Instance->Config->module_names[i]);
288         }
289         sort(modlist.begin(),modlist.end());
290         for (unsigned int i = 0; i < modlist.size(); i++)
291         {
292                 if (i)
293                         capabilities = capabilities + ",";
294                 capabilities = capabilities + modlist[i];
295         }
296         return capabilities;
297 }
298
299 std::string TreeSocket::RandString(unsigned int length)
300 {
301         char* randombuf = new char[length+1];
302         std::string out;
303 #ifdef WINDOWS
304         int fd = -1;
305 #else
306         int fd = open("/dev/urandom", O_RDONLY, 0);
307 #endif
308
309         if (fd >= 0)
310         {
311 #ifndef WINDOWS
312                 read(fd, randombuf, length);
313                 close(fd);
314 #endif
315         }
316         else
317         {
318                 for (unsigned int i = 0; i < length; i++)
319                         randombuf[i] = rand();
320         }
321
322         for (unsigned int i = 0; i < length; i++)
323         {
324                 char randchar = static_cast<char>((randombuf[i] & 0x7F) | 0x21);
325                 out += (randchar == '=' ? '_' : randchar);
326         }
327
328         delete[] randombuf;
329         return out;
330 }
331
332 void TreeSocket::SendCapabilities()
333 {
334         if (sentcapab)
335                 return;
336
337         sentcapab = true;
338         irc::commasepstream modulelist(MyCapabilities());
339         this->WriteLine("CAPAB START");
340
341         /* Send module names, split at 509 length */
342         std::string item;
343         std::string line = "CAPAB MODULES ";
344         while (modulelist.GetToken(item))
345         {
346                 if (line.length() + item.length() + 1 > 509)
347                 {
348                         this->WriteLine(line);
349                         line = "CAPAB MODULES ";
350                 }
351
352                 if (line != "CAPAB MODULES ")
353                         line.append(",");
354
355                 line.append(item);
356         }
357         if (line != "CAPAB MODULES ")
358                 this->WriteLine(line);
359
360         int ip6 = 0;
361         int ip6support = 0;
362 #ifdef IPV6
363         ip6 = 1;
364 #endif
365 #ifdef SUPPORT_IP6LINKS
366         ip6support = 1;
367 #endif
368         std::string extra;
369         /* Do we have sha256 available? If so, we send a challenge */
370         if (Utils->ChallengeResponse && (Instance->FindModule("m_sha256.so")))
371         {
372                 this->SetOurChallenge(RandString(20));
373                 extra = " CHALLENGE=" + this->GetOurChallenge();
374         }
375
376         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)+extra+" PREFIX="+Instance->Modes->BuildPrefixes()+" CHANMODES="+Instance->Modes->ChanModes());
377
378         this->WriteLine("CAPAB END");
379 }
380
381 /* Check a comma seperated list for an item */
382 bool TreeSocket::HasItem(const std::string &list, const std::string &item)
383 {
384         irc::commasepstream seplist(list);
385         std::string item2;
386
387         while (seplist.GetToken(item2))
388         {
389                 if (item2 == item)
390                         return true;
391         }
392         return false;
393 }
394
395 /* Isolate and return the elements that are different between two comma seperated lists */
396 std::string TreeSocket::ListDifference(const std::string &one, const std::string &two)
397 {
398         irc::commasepstream list_one(one);
399         std::string item;
400         std::string result;
401         while (list_one.GetToken(item))
402         {
403                 if (!HasItem(two, item))
404                 {
405                         result.append(" ");
406                         result.append(item);
407                 }
408         }
409         return result;
410 }
411
412 void TreeSocket::SendError(const std::string &errormessage)
413 {
414         /* Display the error locally as well as sending it remotely */
415         this->WriteLine("ERROR :"+errormessage);
416         Utils->Creator->RemoteMessage(NULL, "Sent \2ERROR\2 to %s: %s", (this->InboundServerName.empty() ? "<unknown>" : this->InboundServerName.c_str()), errormessage.c_str());
417         /* One last attempt to make sure the error reaches its target */
418         this->FlushWriteBuffer();
419 }
420
421 bool TreeSocket::Capab(const std::deque<std::string> &params)
422 {
423         if (params.size() < 1)
424         {
425                 this->SendError("Invalid number of parameters for CAPAB - Mismatched version");
426                 return false;
427         }
428         if (params[0] == "START")
429         {
430                 this->ModuleList.clear();
431                 this->CapKeys.clear();
432         }
433         else if (params[0] == "END")
434         {
435                 std::string reason;
436                 int ip6support = 0;
437 #ifdef SUPPORT_IP6LINKS
438                 ip6support = 1;
439 #endif
440                 /* Compare ModuleList and check CapKeys...
441                  * Maybe this could be tidier? -- Brain
442                  */
443                 if ((this->ModuleList != this->MyCapabilities()) && (this->ModuleList.length()))
444                 {
445                         std::string diff = ListDifference(this->ModuleList, this->MyCapabilities());
446                         if (!diff.length())
447                         {
448                                 diff = "your server:" + ListDifference(this->MyCapabilities(), this->ModuleList);
449                         }
450                         else
451                         {
452                                 diff = "this server:" + diff;
453                         }
454                         if (diff.length() == 12)
455                                 reason = "Module list in CAPAB is not alphabetically ordered, cannot compare lists.";
456                         else
457                                 reason = "Modules loaded on these servers are not correctly matched, these modules are not loaded on " + diff;
458                 }
459
460                 cap_validation valid_capab[] = { 
461                         {"Maximum nickname lengths differ or remote nickname length not specified", "NICKMAX", NICKMAX},
462                         {"Maximum ident lengths differ or remote ident length not specified", "IDENTMAX", IDENTMAX},
463                         {"Maximum channel lengths differ or remote channel length not specified", "CHANMAX", CHANMAX},
464                         {"Maximum modes per line differ or remote modes per line not specified", "MAXMODES", MAXMODES},
465                         {"Maximum quit lengths differ or remote quit length not specified", "MAXQUIT", MAXQUIT},
466                         {"Maximum topic lengths differ or remote topic length not specified", "MAXTOPIC", MAXTOPIC},
467                         {"Maximum kick lengths differ or remote kick length not specified", "MAXKICK", MAXKICK},
468                         {"Maximum GECOS (fullname) lengths differ or remote GECOS length not specified", "MAXGECOS", MAXGECOS},
469                         {"Maximum awaymessage lengths differ or remote awaymessage length not specified", "MAXAWAY", MAXAWAY},
470                         {"", "", 0}
471                 };
472
473                 if (((this->CapKeys.find("IP6SUPPORT") == this->CapKeys.end()) && (ip6support)) || ((this->CapKeys.find("IP6SUPPORT") != this->CapKeys.end()) && (this->CapKeys.find("IP6SUPPORT")->second != ConvToStr(ip6support))))
474                         reason = "We don't both support linking to IPV6 servers";
475                 if (((this->CapKeys.find("IP6NATIVE") != this->CapKeys.end()) && (this->CapKeys.find("IP6NATIVE")->second == "1")) && (!ip6support))
476                         reason = "The remote server is IPV6 native, and we don't support linking to IPV6 servers";
477                 if (((this->CapKeys.find("PROTOCOL") == this->CapKeys.end()) || ((this->CapKeys.find("PROTOCOL") != this->CapKeys.end()) && (this->CapKeys.find("PROTOCOL")->second != ConvToStr(ProtocolVersion)))))
478                 {
479                         if (this->CapKeys.find("PROTOCOL") != this->CapKeys.end())
480                                 reason = "Mismatched protocol versions "+this->CapKeys.find("PROTOCOL")->second+" and "+ConvToStr(ProtocolVersion);
481                         else
482                                 reason = "Protocol version not specified";
483                 }
484
485                 if(this->CapKeys.find("PREFIX") != this->CapKeys.end() && this->CapKeys.find("PREFIX")->second != this->Instance->Modes->BuildPrefixes())
486                         reason = "One or more of the prefixes on the remote server are invalid on this server.";
487
488                 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))))
489                         reason = "We don't both have halfop support enabled/disabled identically";
490
491                 for (int x = 0; valid_capab[x].size; ++x)
492                 {
493                         if (((this->CapKeys.find(valid_capab[x].key) == this->CapKeys.end()) || ((this->CapKeys.find(valid_capab[x].key) != this->CapKeys.end()) &&
494                                                  (this->CapKeys.find(valid_capab[x].key)->second != ConvToStr(valid_capab[x].size)))))
495                                 reason = valid_capab[x].reason;
496                 }
497         
498                 /* Challenge response, store their challenge for our password */
499                 std::map<std::string,std::string>::iterator n = this->CapKeys.find("CHALLENGE");
500                 if (Utils->ChallengeResponse && (n != this->CapKeys.end()) && (Instance->FindModule("m_sha256.so")))
501                 {
502                         /* Challenge-response is on now */
503                         this->SetTheirChallenge(n->second);
504                         if (!this->GetTheirChallenge().empty() && (this->LinkState == CONNECTING))
505                         {
506                                 this->WriteLine(std::string("SERVER ")+this->Instance->Config->ServerName+" "+this->MakePass(OutboundPass, this->GetTheirChallenge())+" 0 :"+this->Instance->Config->ServerDesc);
507                         }
508                 }
509                 else
510                 {
511                         /* They didnt specify a challenge or we don't have m_sha256.so, we use plaintext */
512                         if (this->LinkState == CONNECTING)
513                                 this->WriteLine(std::string("SERVER ")+this->Instance->Config->ServerName+" "+OutboundPass+" 0 :"+this->Instance->Config->ServerDesc);
514                 }
515
516                 if (reason.length())
517                 {
518                         this->SendError("CAPAB negotiation failed: "+reason);
519                         return false;
520                 }
521         }
522         else if ((params[0] == "MODULES") && (params.size() == 2))
523         {
524                 if (!this->ModuleList.length())
525                 {
526                         this->ModuleList.append(params[1]);
527                 }
528                 else
529                 {
530                         this->ModuleList.append(",");
531                         this->ModuleList.append(params[1]);
532                 }
533         }
534
535         else if ((params[0] == "CAPABILITIES") && (params.size() == 2))
536         {
537                 irc::tokenstream capabs(params[1]);
538                 std::string item;
539                 bool more = true;
540                 while ((more = capabs.GetToken(item)))
541                 {
542                         /* Process each key/value pair */
543                         std::string::size_type equals = item.rfind('=');
544                         if (equals != std::string::npos)
545                         {
546                                 std::string var = item.substr(0, equals);
547                                 std::string value = item.substr(equals+1, item.length());
548                                 CapKeys[var] = value;
549                         }
550                 }
551         }
552         return true;
553 }
554
555 /** This function forces this server to quit, removing this server
556  * and any users on it (and servers and users below that, etc etc).
557  * It's very slow and pretty clunky, but luckily unless your network
558  * is having a REAL bad hair day, this function shouldnt be called
559  * too many times a month ;-)
560  */
561 void TreeSocket::SquitServer(std::string &from, TreeServer* Current)
562 {
563         /* recursively squit the servers attached to 'Current'.
564          * We're going backwards so we don't remove users
565          * while we still need them ;)
566          */
567         for (unsigned int q = 0; q < Current->ChildCount(); q++)
568         {
569                 TreeServer* recursive_server = Current->GetChild(q);
570                 this->SquitServer(from,recursive_server);
571         }
572         /* Now we've whacked the kids, whack self */
573         num_lost_servers++;
574         num_lost_users += Current->QuitUsers(from);
575 }
576
577 /** This is a wrapper function for SquitServer above, which
578  * does some validation first and passes on the SQUIT to all
579  * other remaining servers.
580  */
581 void TreeSocket::Squit(TreeServer* Current, const std::string &reason)
582 {
583         if ((Current) && (Current != Utils->TreeRoot))
584         {
585                 Event rmode((char*)Current->GetName().c_str(), (Module*)Utils->Creator, "lost_server");
586                 rmode.Send(Instance);
587
588                 std::deque<std::string> params;
589                 params.push_back(Current->GetName());
590                 params.push_back(":"+reason);
591                 Utils->DoOneToAllButSender(Current->GetParent()->GetName(),"SQUIT",params,Current->GetName());
592                 if (Current->GetParent() == Utils->TreeRoot)
593                 {
594                         this->Instance->SNO->WriteToSnoMask('l',"Server \002"+Current->GetName()+"\002 split: "+reason);
595                 }
596                 else
597                 {
598                         this->Instance->SNO->WriteToSnoMask('l',"Server \002"+Current->GetName()+"\002 split from server \002"+Current->GetParent()->GetName()+"\002 with reason: "+reason);
599                 }
600                 num_lost_servers = 0;
601                 num_lost_users = 0;
602                 std::string from = Current->GetParent()->GetName()+" "+Current->GetName();
603                 SquitServer(from, Current);
604                 Current->Tidy();
605                 Current->GetParent()->DelChild(Current);
606                 DELETE(Current);
607                 this->Instance->SNO->WriteToSnoMask('l',"Netsplit complete, lost \002%d\002 users on \002%d\002 servers.", num_lost_users, num_lost_servers);
608         }
609         else
610                 Instance->Log(DEFAULT,"Squit from unknown server");
611 }
612
613 /** FMODE command - server mode with timestamp checks */
614 bool TreeSocket::ForceMode(const std::string &source, std::deque<std::string> &params)
615 {
616         /* Chances are this is a 1.0 FMODE without TS */
617         if (params.size() < 3)
618         {
619                 /* No modes were in the command, probably a channel with no modes set on it */
620                 return true;
621         }
622
623         bool smode = false;
624         std::string sourceserv;
625         /* Are we dealing with an FMODE from a user, or from a server? */
626         userrec* who = this->Instance->FindNick(source);
627         if (who)
628         {
629                 /* FMODE from a user, set sourceserv to the users server name */
630                 sourceserv = who->server;
631         }
632         else
633         {
634                 /* FMODE from a server, create a fake user to receive mode feedback */
635                 who = new userrec(this->Instance);
636                 who->SetFd(FD_MAGIC_NUMBER);
637                 smode = true;      /* Setting this flag tells us we should free the userrec later */
638                 sourceserv = source;    /* Set sourceserv to the actual source string */
639         }
640         const char* modelist[64];
641         time_t TS = 0;
642         int n = 0;
643         memset(&modelist,0,sizeof(modelist));
644         for (unsigned int q = 0; (q < params.size()) && (q < 64); q++)
645         {
646                 if (q == 1)
647                 {
648                         /* The timestamp is in this position.
649                          * We don't want to pass that up to the
650                          * server->client protocol!
651                          */
652                         TS = atoi(params[q].c_str());
653                 }
654                 else
655                 {
656                         /* Everything else is fine to append to the modelist */
657                         modelist[n++] = params[q].c_str();
658                 }
659
660         }
661         /* Extract the TS value of the object, either userrec or chanrec */
662         userrec* dst = this->Instance->FindNick(params[0]);
663         chanrec* chan = NULL;
664         time_t ourTS = 0;
665         if (dst)
666         {
667                 ourTS = dst->age;
668         }
669         else
670         {
671                 chan = this->Instance->FindChan(params[0]);
672                 if (chan)
673                 {
674                         ourTS = chan->age;
675                 }
676                 else
677                         /* Oops, channel doesnt exist! */
678                         return true;
679         }
680
681         if (!TS)
682         {
683                 Instance->Log(DEFAULT,"*** BUG? *** TS of 0 sent to FMODE. Are some services authors smoking craq, or is it 1970 again?. Dropped.");
684                 Instance->SNO->WriteToSnoMask('d', "WARNING: The server %s is sending FMODE with a TS of zero. Total craq. Mode was dropped.", sourceserv.c_str());
685                 return true;
686         }
687
688         /* TS is equal or less: Merge the mode changes into ours and pass on.
689          */
690         if (TS <= ourTS)
691         {
692                 if ((TS < ourTS) && (!dst))
693                         Instance->Log(DEFAULT,"*** BUG *** Channel TS sent in FMODE to %s is %lu which is not equal to %lu!", params[0].c_str(), TS, ourTS);
694
695                 if (smode)
696                 {
697                         this->Instance->SendMode(modelist, n, who);
698                 }
699                 else
700                 {
701                         this->Instance->CallCommandHandler("MODE", modelist, n, who);
702                 }
703                 /* HOT POTATO! PASS IT ON! */
704                 Utils->DoOneToAllButSender(source,"FMODE",params,sourceserv);
705         }
706         /* If the TS is greater than ours, we drop the mode and dont pass it anywhere.
707          */
708
709         if (smode)
710                 DELETE(who);
711
712         return true;
713 }
714
715 /** FTOPIC command */
716 bool TreeSocket::ForceTopic(const std::string &source, std::deque<std::string> &params)
717 {
718         if (params.size() != 4)
719                 return true;
720         time_t ts = atoi(params[1].c_str());
721         std::string nsource = source;
722         chanrec* c = this->Instance->FindChan(params[0]);
723         if (c)
724         {
725                 if ((ts >= c->topicset) || (!*c->topic))
726                 {
727                         std::string oldtopic = c->topic;
728                         strlcpy(c->topic,params[3].c_str(),MAXTOPIC);
729                         strlcpy(c->setby,params[2].c_str(),127);
730                         c->topicset = ts;
731                         /* if the topic text is the same as the current topic,
732                          * dont bother to send the TOPIC command out, just silently
733                          * update the set time and set nick.
734                          */
735                         if (oldtopic != params[3])
736                         {
737                                 userrec* user = this->Instance->FindNick(source);
738                                 if (!user)
739                                 {
740                                         c->WriteChannelWithServ(Instance->Config->ServerName, "TOPIC %s :%s", c->name, c->topic);
741                                 }
742                                 else
743                                 {
744                                         c->WriteChannel(user, "TOPIC %s :%s", c->name, c->topic);
745                                         nsource = user->server;
746                                 }
747                                 /* all done, send it on its way */
748                                 params[3] = ":" + params[3];
749                                 Utils->DoOneToAllButSender(source,"FTOPIC",params,nsource);
750                         }
751                 }
752
753         }
754         return true;
755 }
756
757 /** FJOIN, similar to TS6 SJOIN, but not quite. */
758 bool TreeSocket::ForceJoin(const std::string &source, std::deque<std::string> &params)
759 {
760         /* 1.1 FJOIN works as follows:
761          *
762          * Each FJOIN is sent along with a timestamp, and the side with the lowest
763          * timestamp 'wins'. From this point on we will refer to this side as the
764          * winner. The side with the higher timestamp loses, from this point on we
765          * will call this side the loser or losing side. This should be familiar to
766          * anyone who's dealt with dreamforge or TS6 before.
767          *
768          * When two sides of a split heal and this occurs, the following things
769          * will happen:
770          *
771          * If the timestamps are exactly equal, both sides merge their privilages
772          * and users, as in InspIRCd 1.0 and ircd2.8. The channels have not been
773          * re-created during a split, this is safe to do.
774          *
775          * If the timestamps are NOT equal, the losing side removes all of its
776          * modes from the channel, before introducing new users into the channel
777          * which are listed in the FJOIN command's parameters. The losing side then
778          * LOWERS its timestamp value of the channel to match that of the winning
779          * side, and the modes of the users of the winning side are merged in with
780          * the losing side.
781          *
782          * The winning side on the other hand will ignore all user modes from the
783          * losing side, so only its own modes get applied. Life is simple for those
784          * who succeed at internets. :-)
785          *
786          * NOTE: Unlike TS6 and dreamforge and other protocols which have SJOIN,
787          * FJOIN does not contain the simple-modes such as +iklmnsp. Why not,
788          * you ask? Well, quite simply because we don't need to. They'll be sent
789          * after the FJOIN by FMODE, and FMODE is timestamped, so in the event
790          * the losing side sends any modes for the channel which shouldnt win,
791          * they wont as their timestamp will be too high :-)
792          */
793
794         if (params.size() < 3)
795                 return true;
796
797         irc::modestacker modestack(true);                               /* Modes to apply from the users in the user list */
798         userrec* who = NULL;                                            /* User we are currently checking */
799         std::string channel = params[0];                                /* Channel name, as a string */
800         time_t TS = atoi(params[1].c_str());                            /* Timestamp given to us for remote side */
801         irc::tokenstream users(params[2]);                              /* Users from the user list */
802         bool apply_other_sides_modes = true;                            /* True if we are accepting the other side's modes */
803         chanrec* chan = this->Instance->FindChan(channel);              /* The channel we're sending joins to */
804         time_t ourTS = chan ? chan->age : Instance->Time(true)+600;     /* The TS of our side of the link */
805         bool created = !chan;                                           /* True if the channel doesnt exist here yet */
806         std::string item;                                               /* One item in the list of nicks */
807
808         params[2] = ":" + params[2];
809         Utils->DoOneToAllButSender(source,"FJOIN",params,source);
810
811         if (!TS)
812         {
813                 Instance->Log(DEFAULT,"*** BUG? *** TS of 0 sent to FJOIN. Are some services authors smoking craq, or is it 1970 again?. Dropped.");
814                 Instance->SNO->WriteToSnoMask('d', "WARNING: The server %s is sending FJOIN with a TS of zero. Total craq. Command was dropped.", source.c_str());
815                 return true;
816         }
817
818         /* If our TS is less than theirs, we dont accept their modes */
819         if (ourTS < TS)
820                 apply_other_sides_modes = false;
821
822         /* Our TS greater than theirs, clear all our modes from the channel, accept theirs. */
823         if (ourTS > TS)
824         {
825                 std::deque<std::string> param_list;
826                 if (Utils->AnnounceTSChange && chan)
827                         chan->WriteChannelWithServ(Instance->Config->ServerName, "NOTICE %s :TS for %s changed from %lu to %lu", chan->name, chan->name, ourTS, TS);
828                 ourTS = TS;
829                 if (!created)
830                 {
831                         chan->age = TS;
832                         param_list.push_back(channel);
833                         this->RemoveStatus(Instance->Config->ServerName, param_list);
834                 }
835         }
836
837         /* Now, process every 'prefixes,nick' pair */
838         while (users.GetToken(item))
839         {
840                 const char* usr = item.c_str();
841                 if (usr && *usr)
842                 {
843                         const char* permissions = usr;
844                         /* Iterate through all the prefix values, convert them from prefixes to mode letters */
845                         std::string modes;
846                         while ((*permissions) && (*permissions != ','))
847                         {
848                                 ModeHandler* mh = Instance->Modes->FindPrefix(*permissions);
849                                 if (mh)
850                                         modes = modes + mh->GetModeChar();
851                                 else
852                                 {
853                                         this->SendError(std::string("Invalid prefix '")+(*permissions)+"' in FJOIN");
854                                         return false;
855                                 }
856                                 usr++;
857                                 permissions++;
858                         }
859                         /* Advance past the comma, to the nick */
860                         usr++;
861                         
862                         /* Check the user actually exists */
863                         who = this->Instance->FindUUID(usr);
864                         if (who)
865                         {
866                                 /* Check that the user's 'direction' is correct */
867                                 TreeServer* route_back_again = Utils->BestRouteTo(who->server);
868                                 if ((!route_back_again) || (route_back_again->GetSocket() != this))
869                                         continue;
870
871                                 /* Add any permissions this user had to the mode stack */
872                                 for (std::string::iterator x = modes.begin(); x != modes.end(); ++x)
873                                         modestack.Push(*x, who->nick);
874
875                                 chanrec::JoinUser(this->Instance, who, channel.c_str(), true, "", TS);
876                         }
877                         else
878                         {
879                                 Instance->Log(SPARSE,"Warning! Invalid user %s in FJOIN to channel %s IGNORED", usr, channel.c_str());
880                                 continue;
881                         }
882                 }
883         }
884
885         /* Flush mode stacker if we lost the FJOIN or had equal TS */
886         if (apply_other_sides_modes)
887         {
888                 std::deque<std::string> stackresult;
889                 const char* mode_junk[MAXMODES+2];
890                 userrec* n = new userrec(Instance);
891                 n->SetFd(FD_MAGIC_NUMBER);
892                 mode_junk[0] = channel.c_str();
893
894                 while (modestack.GetStackedLine(stackresult))
895                 {
896                         for (size_t j = 0; j < stackresult.size(); j++)
897                         {
898                                 mode_junk[j+1] = stackresult[j].c_str();
899                         }
900                         Instance->SendMode(mode_junk, stackresult.size() + 1, n);
901                 }
902
903                 delete n;
904         }
905
906         return true;
907 }
908
909 bool TreeSocket::ParseUID(const std::string &source, std::deque<std::string> &params)
910 {
911         /** Do we have enough parameters:
912          * UID uuid age nick host dhost ident +modestr ip.string :gecos
913          */
914         if (params.size() != 9)
915         {
916                 this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" KILL "+params[0]+" :Invalid client introduction ("+params[0]+"?)");
917                 return true;
918         }
919
920         time_t age = ConvToInt(params[1]);
921         const char* tempnick = params[2].c_str();
922         std::string empty;
923
924         /* XXX probably validate UID length too -- w00t */
925         cmd_validation valid[] = { {"Nickname", 2, NICKMAX}, {"Hostname", 3, 64}, {"Displayed hostname", 4, 64}, {"Ident", 5, IDENTMAX}, {"GECOS", 7, MAXGECOS}, {"", 0, 0} };
926
927         TreeServer* remoteserver = Utils->FindServer(source);
928
929         if (!remoteserver)
930         {
931                 this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" KILL "+params[0]+" :Invalid client introduction (Unknown server "+source+")");
932                 return true;
933         }
934
935         userrec *u = this->Instance->FindUUID(params[0]);
936
937         if (u)
938         {
939                 /* barf! */
940                 userrec::QuitUser(this->Instance, u, "UID collision (?!)");
941                 this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" KILL "+params[0]+" :Invalid client introduction (UID collision (?!))");
942                 return true;
943         }
944
945         /* Check parameters for validity before introducing the client, discovered by dmb */
946         if (!age)
947         {
948                 this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" KILL "+params[0]+" :Invalid client introduction (Invalid TS?)");
949                 return true;
950         }
951
952         for (size_t x = 0; valid[x].length; ++x)
953         {
954                 if (params[valid[x].param].length() > valid[x].length)
955                 {
956                         this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" KILL "+params[0]+" :Invalid client introduction (" + valid[x].item + " > " + ConvToStr(valid[x].length) + ")");
957                         return true;
958                 }
959         }
960
961
962         /* check for collision */
963         user_hash::iterator iter = this->Instance->clientlist->find(tempnick);
964
965         if (iter != this->Instance->clientlist->end())
966         {
967                 /*
968                  * Nick collision.
969                  *  Under old protocol rules, we would have had to kill both clients.
970                  *  Really, this sucks.
971                  * These days, we have UID. And, so what we do is, force nick change client(s)
972                  * involved according to timestamp rules.
973                  *
974                  * RULES:
975                  *  user@ip equal:
976                  *   Force nick change on OLDER timestamped client
977                  *  user@ip differ:
978                  *   Force nick change on NEWER timestamped client
979                  *  TS EQUAL:
980                  *   FNC both.
981                  *
982                  * Note that remote clients MUST be dealt with also to remove desyncs.
983                  *  XXX we don't do this yet.
984                  *
985                  * This stops abusive use of collisions, simplifies problems with loops, and so on.
986                  *   -- w00t
987                  */
988                 Instance->Log(DEBUG,"*** Collision on %s", tempnick);
989
990                 if (age == iter->second->signon)
991                 {
992                         /* TS equal, do both */
993                         Instance->Log(DEBUG,"*** TS EQUAL, colliding both");
994                         iter->second->ForceNickChange(iter->second->uuid);
995                         this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" SVSNICK "+params[0]+" " + params[0]);
996                         /* also, don't trample on the hash - use their UID as nick */
997                         tempnick = params[0].c_str();
998                 }
999                 else
1000                 {
1001                         /* default to FNC newer (more likely that ident@ip will differ) */
1002                         bool bFNCNewer = true;
1003
1004                         if (
1005                                 strcmp(iter->second->ident, params[5].c_str()) == 0 &&
1006                                 strcmp(iter->second->GetIPString(), params[7].c_str()) == 0
1007                            )
1008                         {
1009                                 /* ident@ip same, FNC older client */
1010                                 bFNCNewer = false;
1011                         }
1012
1013                         if (age > iter->second->signon) /* It will never be equal here */
1014                         {
1015                                 Instance->Log(DEBUG,"*** OUR client is older");
1016                                 if (bFNCNewer)
1017                                 {
1018                                         /* incoming client "lost" - for now, send SVSNICK to them .. XXX use SAVE*/
1019                                         this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" SVSNICK "+params[0]+" " + params[0]);
1020
1021                                         /* also, don't trample on the hash - use their UID as nick */
1022                                         tempnick = params[0].c_str();
1023                                         Instance->Log(DEBUG,"*** INCOMING client lost, changed theirs");
1024                                 }
1025                                 else
1026                                 {
1027                                         /* we "lost", change us */
1028                                         iter->second->ForceNickChange(iter->second->uuid);
1029                                         Instance->Log(DEBUG,"*** OUR client lost, changing ours");
1030                                 }
1031                         }
1032                         else
1033                         {
1034                                 Instance->Log(DEBUG,"*** OUR client is newer");
1035                                 if (bFNCNewer)
1036                                 {
1037                                         /* our client is newer */
1038                                         iter->second->ForceNickChange(iter->second->uuid);
1039                                         Instance->Log(DEBUG,"*** OUR client lost, changing ours");
1040                                 }
1041                                 else
1042                                 {
1043                                         /* incoming client "lost" - for now, send SVSNICK to them .. XXX use SAVE*/
1044                                         this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" SVSNICK "+params[0]+" " + params[0]);
1045
1046                                         /* also, don't trample on the hash - use their UID as nick */
1047                                         tempnick = params[0].c_str();
1048                                         Instance->Log(DEBUG,"*** INCOMING client lost, changed theirs");
1049                                 }
1050                         }
1051                 }
1052         }
1053
1054         /* IMPORTANT NOTE: For remote users, we pass the UUID in the constructor. This automatically
1055          * sets it up in the UUID hash for us.
1056          * TODO: Make this throw an exception maybe, on UUID collision?
1057          */
1058         userrec* _new = new userrec(this->Instance, params[0]);
1059         (*(this->Instance->clientlist))[tempnick] = _new;
1060         _new->SetFd(FD_MAGIC_NUMBER);
1061         strlcpy(_new->nick, tempnick, NICKMAX - 1);
1062         strlcpy(_new->host, params[3].c_str(),64);
1063         strlcpy(_new->dhost, params[4].c_str(),64);
1064         _new->server = this->Instance->FindServerNamePtr(source.c_str());
1065         strlcpy(_new->ident, params[5].c_str(),IDENTMAX);
1066         strlcpy(_new->fullname, params[8].c_str(),MAXGECOS);
1067         _new->registered = REG_ALL;
1068         _new->signon = age;
1069
1070         /* we need to remove the + from the modestring, so we can do our stuff */
1071         std::string::size_type pos_after_plus = params[6].find_first_not_of('+');
1072         if (pos_after_plus != std::string::npos)
1073         params[6] = params[6].substr(pos_after_plus);
1074
1075         for (std::string::iterator v = params[6].begin(); v != params[6].end(); v++)
1076         {
1077                 /* For each mode thats set, increase counter */
1078                 ModeHandler* mh = Instance->Modes->FindMode(*v, MODETYPE_USER);
1079
1080                 if (mh)
1081                 {
1082                         mh->OnModeChange(_new, _new, NULL, empty, true);
1083                         _new->SetMode(*v, true);
1084                         mh->ChangeCount(1);
1085                 }
1086         }
1087
1088         /* now we've done with modes processing, put the + back for remote servers */
1089         params[6] = "+" + params[6];
1090
1091 #ifdef SUPPORT_IP6LINKS
1092         if (params[7].find_first_of(":") != std::string::npos)
1093                 _new->SetSockAddr(AF_INET6, params[7].c_str(), 0);
1094         else
1095 #endif
1096                 _new->SetSockAddr(AF_INET, params[7].c_str(), 0);
1097
1098         Instance->AddGlobalClone(_new);
1099
1100         bool dosend = !(((this->Utils->quiet_bursts) && (this->bursting || Utils->FindRemoteBurstServer(remoteserver))) || (this->Instance->SilentULine(_new->server)));
1101         
1102         if (dosend)
1103                 this->Instance->SNO->WriteToSnoMask('C',"Client connecting at %s: %s!%s@%s [%s] [%s]",_new->server,_new->nick,_new->ident,_new->host, _new->GetIPString(), _new->fullname);
1104
1105         params[8] = ":" + params[8];
1106         Utils->DoOneToAllButSender(source, "UID", params, source);
1107
1108         // Increment the Source Servers User Count..
1109         TreeServer* SourceServer = Utils->FindServer(source);
1110         if (SourceServer)
1111         {
1112                 SourceServer->AddUserCount();
1113         }
1114
1115         FOREACH_MOD_I(Instance,I_OnPostConnect,OnPostConnect(_new));
1116
1117         return true;
1118 }
1119
1120 /** Send one or more FJOINs for a channel of users.
1121  * If the length of a single line is more than 480-NICKMAX
1122  * in length, it is split over multiple lines.
1123  */
1124 void TreeSocket::SendFJoins(TreeServer* Current, chanrec* c)
1125 {
1126         std::string buffer;
1127         char list[MAXBUF];
1128         std::string individual_halfops = std::string(":")+this->Instance->Config->ServerName+" FMODE "+c->name+" "+ConvToStr(c->age);
1129
1130         size_t dlen, curlen;
1131         dlen = curlen = snprintf(list,MAXBUF,":%s FJOIN %s %lu",this->Instance->Config->ServerName,c->name,(unsigned long)c->age);
1132         int numusers = 0;
1133         char* ptr = list + dlen;
1134
1135         CUList *ulist = c->GetUsers();
1136         std::string modes;
1137         std::string params;
1138
1139         for (CUList::iterator i = ulist->begin(); i != ulist->end(); i++)
1140         {
1141                 // The first parameter gets a : before it
1142                 size_t ptrlen = snprintf(ptr, MAXBUF, " %s%s,%s", !numusers ? ":" : "", c->GetAllPrefixChars(i->first), i->first->uuid);
1143
1144                 curlen += ptrlen;
1145                 ptr += ptrlen;
1146
1147                 numusers++;
1148
1149                 if (curlen > (480-NICKMAX))
1150                 {
1151                         buffer.append(list).append("\r\n");
1152                         dlen = curlen = snprintf(list,MAXBUF,":%s FJOIN %s %lu",this->Instance->Config->ServerName,c->name,(unsigned long)c->age);
1153                         ptr = list + dlen;
1154                         ptrlen = 0;
1155                         numusers = 0;
1156                 }
1157         }
1158
1159         if (numusers)
1160                 buffer.append(list).append("\r\n");
1161
1162         buffer.append(":").append(this->Instance->Config->ServerName).append(" FMODE ").append(c->name).append(" ").append(ConvToStr(c->age)).append(" +").append(c->ChanModes(true)).append("\r\n");
1163
1164         int linesize = 1;
1165         for (BanList::iterator b = c->bans.begin(); b != c->bans.end(); b++)
1166         {
1167                 int size = strlen(b->data) + 2;
1168                 int currsize = linesize + size;
1169                 if (currsize <= 350)
1170                 {
1171                         modes.append("b");
1172                         params.append(" ").append(b->data);
1173                         linesize += size; 
1174                 }
1175                 if ((params.length() >= MAXMODES) || (currsize > 350))
1176                 {
1177                         /* Wrap at MAXMODES */
1178                         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");
1179                         modes.clear();
1180                         params.clear();
1181                         linesize = 1;
1182                 }
1183         }
1184
1185         /* Only send these if there are any */
1186         if (!modes.empty())
1187                 buffer.append(":").append(this->Instance->Config->ServerName).append(" FMODE ").append(c->name).append(" ").append(ConvToStr(c->age)).append(" +").append(modes).append(params);
1188
1189         this->WriteLine(buffer);
1190 }
1191
1192 /** Send G, Q, Z and E lines */
1193 void TreeSocket::SendXLines(TreeServer* Current)
1194 {
1195         char data[MAXBUF];
1196         std::string buffer;
1197         std::string n = this->Instance->Config->ServerName;
1198         const char* sn = n.c_str();
1199         /* Yes, these arent too nice looking, but they get the job done */
1200         for (std::vector<ZLine*>::iterator i = Instance->XLines->zlines.begin(); i != Instance->XLines->zlines.end(); i++)
1201         {
1202                 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);
1203                 buffer.append(data);
1204         }
1205         for (std::vector<QLine*>::iterator i = Instance->XLines->qlines.begin(); i != Instance->XLines->qlines.end(); i++)
1206         {
1207                 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);
1208                 buffer.append(data);
1209         }
1210         for (std::vector<GLine*>::iterator i = Instance->XLines->glines.begin(); i != Instance->XLines->glines.end(); i++)
1211         {
1212                 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);
1213                 buffer.append(data);
1214         }
1215         for (std::vector<ELine*>::iterator i = Instance->XLines->elines.begin(); i != Instance->XLines->elines.end(); i++)
1216         {
1217                 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);
1218                 buffer.append(data);
1219         }
1220         for (std::vector<ZLine*>::iterator i = Instance->XLines->pzlines.begin(); i != Instance->XLines->pzlines.end(); i++)
1221         {
1222                 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);
1223                 buffer.append(data);
1224         }
1225         for (std::vector<QLine*>::iterator i = Instance->XLines->pqlines.begin(); i != Instance->XLines->pqlines.end(); i++)
1226         {
1227                 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);
1228                 buffer.append(data);
1229         }
1230         for (std::vector<GLine*>::iterator i = Instance->XLines->pglines.begin(); i != Instance->XLines->pglines.end(); i++)
1231         {
1232                 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);
1233                 buffer.append(data);
1234         }
1235         for (std::vector<ELine*>::iterator i = Instance->XLines->pelines.begin(); i != Instance->XLines->pelines.end(); i++)
1236         {
1237                 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);
1238                 buffer.append(data);
1239         }
1240
1241         if (!buffer.empty())
1242                 this->WriteLine(buffer);
1243 }
1244
1245 /** Send channel modes and topics */
1246 void TreeSocket::SendChannelModes(TreeServer* Current)
1247 {
1248         char data[MAXBUF];
1249         std::deque<std::string> list;
1250         std::string n = this->Instance->Config->ServerName;
1251         const char* sn = n.c_str();
1252         Instance->Log(DEBUG,"Sending channels and modes, %d to send", this->Instance->chanlist->size());
1253         for (chan_hash::iterator c = this->Instance->chanlist->begin(); c != this->Instance->chanlist->end(); c++)
1254         {
1255                 SendFJoins(Current, c->second);
1256                 if (*c->second->topic)
1257                 {
1258                         snprintf(data,MAXBUF,":%s FTOPIC %s %lu %s :%s",sn,c->second->name,(unsigned long)c->second->topicset,c->second->setby,c->second->topic);
1259                         this->WriteLine(data);
1260                 }
1261                 FOREACH_MOD_I(this->Instance,I_OnSyncChannel,OnSyncChannel(c->second,(Module*)Utils->Creator,(void*)this));
1262                 list.clear();
1263                 c->second->GetExtList(list);
1264                 for (unsigned int j = 0; j < list.size(); j++)
1265                 {
1266                         FOREACH_MOD_I(this->Instance,I_OnSyncChannelMetaData,OnSyncChannelMetaData(c->second,(Module*)Utils->Creator,(void*)this,list[j]));
1267                 }
1268         }
1269 }
1270
1271 /** send all users and their oper state/modes */
1272 void TreeSocket::SendUsers(TreeServer* Current)
1273 {
1274         char data[MAXBUF];
1275         std::deque<std::string> list;
1276         std::string dataline;
1277         for (user_hash::iterator u = this->Instance->clientlist->begin(); u != this->Instance->clientlist->end(); u++)
1278         {
1279                 if (u->second->registered == REG_ALL)
1280                 {
1281                         snprintf(data,MAXBUF,":%s UID %s %lu %s %s %s %s +%s %s :%s", u->second->server, u->second->uuid, (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);
1282                         this->WriteLine(data);
1283                         if (*u->second->oper)
1284                         {
1285                                 snprintf(data,MAXBUF,":%s OPERTYPE %s", u->second->uuid, u->second->oper);
1286                                 this->WriteLine(data);
1287                         }
1288                         if (*u->second->awaymsg)
1289                         {
1290                                 snprintf(data,MAXBUF,":%s AWAY :%s", u->second->uuid, u->second->awaymsg);
1291                                 this->WriteLine(data);
1292                         }
1293                 }
1294         }
1295
1296         for (user_hash::iterator u = this->Instance->clientlist->begin(); u != this->Instance->clientlist->end(); u++)
1297         {
1298                 FOREACH_MOD_I(this->Instance,I_OnSyncUser,OnSyncUser(u->second,(Module*)Utils->Creator,(void*)this));
1299                 list.clear();
1300                 u->second->GetExtList(list);
1301                 for (unsigned int j = 0; j < list.size(); j++)
1302                 {
1303                         FOREACH_MOD_I(this->Instance,I_OnSyncUserMetaData,OnSyncUserMetaData(u->second,(Module*)Utils->Creator,(void*)this,list[j]));
1304                 }
1305         }
1306 }
1307
1308 /** This function is called when we want to send a netburst to a local
1309  * server. There is a set order we must do this, because for example
1310  * users require their servers to exist, and channels require their
1311  * users to exist. You get the idea.
1312  */
1313 void TreeSocket::DoBurst(TreeServer* s)
1314 {
1315         std::string name = s->GetName();
1316         std::string burst = "BURST "+ConvToStr(Instance->Time(true));
1317         std::string endburst = "ENDBURST";
1318         this->Instance->SNO->WriteToSnoMask('l',"Bursting to \2%s\2 (Authentication: %s).", name.c_str(), this->GetTheirChallenge().empty() ? "plaintext password" : "SHA256-HMAC challenge-response");
1319         this->WriteLine(burst);
1320         /* send our version string */
1321         this->WriteLine(std::string(":")+this->Instance->Config->ServerName+" VERSION :"+this->Instance->GetVersionString());
1322         /* Send server tree */
1323         this->SendServers(Utils->TreeRoot,s,1);
1324         /* Send users and their oper status */
1325         this->SendUsers(s);
1326         /* Send everything else (channel modes, xlines etc) */
1327         this->SendChannelModes(s);
1328         this->SendXLines(s);
1329         FOREACH_MOD_I(this->Instance,I_OnSyncOtherMetaData,OnSyncOtherMetaData((Module*)Utils->Creator,(void*)this));
1330         this->WriteLine(endburst);
1331         this->Instance->SNO->WriteToSnoMask('l',"Finished bursting to \2"+name+"\2.");
1332 }
1333
1334 /** This function is called when we receive data from a remote
1335  * server. We buffer the data in a std::string (it doesnt stay
1336  * there for long), reading using InspSocket::Read() which can
1337  * read up to 16 kilobytes in one operation.
1338  *
1339  * IF THIS FUNCTION RETURNS FALSE, THE CORE CLOSES AND DELETES
1340  * THE SOCKET OBJECT FOR US.
1341  */
1342 bool TreeSocket::OnDataReady()
1343 {
1344         char* data = this->Read();
1345         /* Check that the data read is a valid pointer and it has some content */
1346         if (data && *data)
1347         {
1348                 this->in_buffer.append(data);
1349                 /* While there is at least one new line in the buffer,
1350                  * do something useful (we hope!) with it.
1351                  */
1352                 while (in_buffer.find("\n") != std::string::npos)
1353                 {
1354                         std::string ret = in_buffer.substr(0,in_buffer.find("\n")-1);
1355                         in_buffer = in_buffer.substr(in_buffer.find("\n")+1,in_buffer.length()-in_buffer.find("\n"));
1356                         /* Use rfind here not find, as theres more
1357                          * chance of the \r being near the end of the
1358                          * string, not the start.
1359                          */
1360                         if (ret.find("\r") != std::string::npos)
1361                                 ret = in_buffer.substr(0,in_buffer.find("\r")-1);
1362                         /* Process this one, abort if it
1363                          * didnt return true.
1364                          */
1365                         if (!this->ProcessLine(ret))
1366                         {
1367                                 return false;
1368                         }
1369                 }
1370                 return true;
1371         }
1372         /* EAGAIN returns an empty but non-NULL string, so this
1373          * evaluates to TRUE for EAGAIN but to FALSE for EOF.
1374          */
1375         return (data && !*data);
1376 }
1377