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