]> git.netwichtig.de Git - user/henk/code/inspircd.git/blob - src/configreader.cpp
2dbd6e6068bd6bfb56020fd56b67c6d3476104b5
[user/henk/code/inspircd.git] / src / configreader.cpp
1 /*
2  * InspIRCd -- Internet Relay Chat Daemon
3  *
4  *   Copyright (C) 2009-2010 Daniel De Graaf <danieldg@inspircd.org>
5  *   Copyright (C) 2007-2009 Robin Burchell <robin+git@viroteck.net>
6  *   Copyright (C) 2006-2009 Dennis Friis <peavey@inspircd.org>
7  *   Copyright (C) 2006-2008 Craig Edwards <craigedwards@brainbox.cc>
8  *   Copyright (C) 2008 Thomas Stagner <aquanight@inspircd.org>
9  *   Copyright (C) 2006 Oliver Lupton <oliverlupton@gmail.com>
10  *
11  * This file is part of InspIRCd.  InspIRCd is free software: you can
12  * redistribute it and/or modify it under the terms of the GNU General Public
13  * License as published by the Free Software Foundation, version 2.
14  *
15  * This program is distributed in the hope that it will be useful, but WITHOUT
16  * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
17  * FOR A PARTICULAR PURPOSE.  See the GNU General Public License for more
18  * details.
19  *
20  * You should have received a copy of the GNU General Public License
21  * along with this program.  If not, see <http://www.gnu.org/licenses/>.
22  */
23
24
25 #include "inspircd.h"
26 #include "xline.h"
27 #include "listmode.h"
28 #include "exitcodes.h"
29 #include "configparser.h"
30 #include <iostream>
31
32 ServerConfig::ServerConfig()
33 {
34         RawLog = HideBans = HideSplits = UndernetMsgPrefix = false;
35         WildcardIPv6 = InvBypassModes = true;
36         dns_timeout = 5;
37         MaxTargets = 20;
38         NetBufferSize = 10240;
39         SoftLimit = ServerInstance->SE->GetMaxFds();
40         MaxConn = SOMAXCONN;
41         MaxChans = 20;
42         OperMaxChans = 30;
43         c_ipv4_range = 32;
44         c_ipv6_range = 128;
45 }
46
47 template<typename T, typename V>
48 static void range(T& value, V min, V max, V def, const char* msg)
49 {
50         if (value >= (T)min && value <= (T)max)
51                 return;
52         ServerInstance->Logs->Log("CONFIG", LOG_DEFAULT, "WARNING: %s value of %ld is not between %ld and %ld; set to %ld.",
53                 msg, (long)value, (long)min, (long)max, (long)def);
54         value = def;
55 }
56
57 static void ValidHost(const std::string& p, const std::string& msg)
58 {
59         int num_dots = 0;
60         if (p.empty() || p[0] == '.')
61                 throw CoreException("The value of "+msg+" is not a valid hostname");
62         for (unsigned int i=0;i < p.length();i++)
63         {
64                 switch (p[i])
65                 {
66                         case ' ':
67                                 throw CoreException("The value of "+msg+" is not a valid hostname");
68                         case '.':
69                                 num_dots++;
70                         break;
71                 }
72         }
73         if (num_dots == 0)
74                 throw CoreException("The value of "+msg+" is not a valid hostname");
75 }
76
77 bool ServerConfig::ApplyDisabledCommands(const std::string& data)
78 {
79         std::stringstream dcmds(data);
80         std::string thiscmd;
81
82         /* Enable everything first */
83         for (Commandtable::iterator x = ServerInstance->Parser->cmdlist.begin(); x != ServerInstance->Parser->cmdlist.end(); x++)
84                 x->second->Disable(false);
85
86         /* Now disable all the ones which the user wants disabled */
87         while (dcmds >> thiscmd)
88         {
89                 Commandtable::iterator cm = ServerInstance->Parser->cmdlist.find(thiscmd);
90                 if (cm != ServerInstance->Parser->cmdlist.end())
91                 {
92                         cm->second->Disable(true);
93                 }
94         }
95         return true;
96 }
97
98 static void ReadXLine(ServerConfig* conf, const std::string& tag, const std::string& key, XLineFactory* make)
99 {
100         ConfigTagList tags = conf->ConfTags(tag);
101         for(ConfigIter i = tags.first; i != tags.second; ++i)
102         {
103                 ConfigTag* ctag = i->second;
104                 std::string mask;
105                 if (!ctag->readString(key, mask))
106                         throw CoreException("<"+tag+":"+key+"> missing at " + ctag->getTagLocation());
107                 std::string reason = ctag->getString("reason", "<Config>");
108                 XLine* xl = make->Generate(ServerInstance->Time(), 0, "<Config>", reason, mask);
109                 if (!ServerInstance->XLines->AddLine(xl, NULL))
110                         delete xl;
111         }
112 }
113
114 typedef std::map<std::string, ConfigTag*> LocalIndex;
115 void ServerConfig::CrossCheckOperClassType()
116 {
117         LocalIndex operclass;
118         ConfigTagList tags = ConfTags("class");
119         for(ConfigIter i = tags.first; i != tags.second; ++i)
120         {
121                 ConfigTag* tag = i->second;
122                 std::string name = tag->getString("name");
123                 if (name.empty())
124                         throw CoreException("<class:name> missing from tag at " + tag->getTagLocation());
125                 if (operclass.find(name) != operclass.end())
126                         throw CoreException("Duplicate class block with name " + name + " at " + tag->getTagLocation());
127                 operclass[name] = tag;
128         }
129         tags = ConfTags("type");
130         for(ConfigIter i = tags.first; i != tags.second; ++i)
131         {
132                 ConfigTag* tag = i->second;
133                 std::string name = tag->getString("name");
134                 if (name.empty())
135                         throw CoreException("<type:name> is missing from tag at " + tag->getTagLocation());
136                 if (oper_blocks.find(" " + name) != oper_blocks.end())
137                         throw CoreException("Duplicate type block with name " + name + " at " + tag->getTagLocation());
138
139                 OperInfo* ifo = new OperInfo;
140                 oper_blocks[" " + name] = ifo;
141                 ifo->name = name;
142                 ifo->type_block = tag;
143
144                 std::string classname;
145                 irc::spacesepstream str(tag->getString("classes"));
146                 while (str.GetToken(classname))
147                 {
148                         LocalIndex::iterator cls = operclass.find(classname);
149                         if (cls == operclass.end())
150                                 throw CoreException("Oper type " + name + " has missing class " + classname);
151                         ifo->class_blocks.push_back(cls->second);
152                 }
153         }
154
155         tags = ConfTags("oper");
156         for(ConfigIter i = tags.first; i != tags.second; ++i)
157         {
158                 ConfigTag* tag = i->second;
159
160                 std::string name = tag->getString("name");
161                 if (name.empty())
162                         throw CoreException("<oper:name> missing from tag at " + tag->getTagLocation());
163
164                 std::string type = tag->getString("type");
165                 OperIndex::iterator tblk = oper_blocks.find(" " + type);
166                 if (tblk == oper_blocks.end())
167                         throw CoreException("Oper block " + name + " has missing type " + type);
168                 if (oper_blocks.find(name) != oper_blocks.end())
169                         throw CoreException("Duplicate oper block with name " + name + " at " + tag->getTagLocation());
170
171                 OperInfo* ifo = new OperInfo;
172                 ifo->name = type;
173                 ifo->oper_block = tag;
174                 ifo->type_block = tblk->second->type_block;
175                 ifo->class_blocks.assign(tblk->second->class_blocks.begin(), tblk->second->class_blocks.end());
176                 oper_blocks[name] = ifo;
177         }
178 }
179
180 void ServerConfig::CrossCheckConnectBlocks(ServerConfig* current)
181 {
182         typedef std::map<std::string, ConnectClass*> ClassMap;
183         ClassMap oldBlocksByMask;
184         if (current)
185         {
186                 for(ClassVector::iterator i = current->Classes.begin(); i != current->Classes.end(); ++i)
187                 {
188                         ConnectClass* c = *i;
189                         if (c->name.substr(0, 8) != "unnamed-")
190                         {
191                                 oldBlocksByMask["n" + c->name] = c;
192                         }
193                         else if (c->type == CC_ALLOW || c->type == CC_DENY)
194                         {
195                                 std::string typeMask = (c->type == CC_ALLOW) ? "a" : "d";
196                                 typeMask += c->host;
197                                 oldBlocksByMask[typeMask] = c;
198                         }
199                 }
200         }
201
202         int blk_count = config_data.count("connect");
203         if (blk_count == 0)
204         {
205                 // No connect blocks found; make a trivial default block
206                 std::vector<KeyVal>* items;
207                 ConfigTag* tag = ConfigTag::create("connect", "<auto>", 0, items);
208                 items->push_back(std::make_pair("allow", "*"));
209                 config_data.insert(std::make_pair("connect", tag));
210                 blk_count = 1;
211         }
212
213         Classes.resize(blk_count);
214         std::map<std::string, int> names;
215
216         bool try_again = true;
217         for(int tries=0; try_again; tries++)
218         {
219                 try_again = false;
220                 ConfigTagList tags = ConfTags("connect");
221                 int i=0;
222                 for(ConfigIter it = tags.first; it != tags.second; ++it, ++i)
223                 {
224                         ConfigTag* tag = it->second;
225                         if (Classes[i])
226                                 continue;
227
228                         ConnectClass* parent = NULL;
229                         std::string parentName = tag->getString("parent");
230                         if (!parentName.empty())
231                         {
232                                 std::map<std::string,int>::iterator parentIter = names.find(parentName);
233                                 if (parentIter == names.end())
234                                 {
235                                         try_again = true;
236                                         // couldn't find parent this time. If it's the last time, we'll never find it.
237                                         if (tries >= blk_count)
238                                                 throw CoreException("Could not find parent connect class \"" + parentName + "\" for connect block at " + tag->getTagLocation());
239                                         continue;
240                                 }
241                                 parent = Classes[parentIter->second];
242                         }
243
244                         std::string name = tag->getString("name");
245                         std::string mask, typeMask;
246                         char type;
247
248                         if (tag->readString("allow", mask, false))
249                         {
250                                 type = CC_ALLOW;
251                                 typeMask = 'a' + mask;
252                         }
253                         else if (tag->readString("deny", mask, false))
254                         {
255                                 type = CC_DENY;
256                                 typeMask = 'd' + mask;
257                         }
258                         else if (!name.empty())
259                         {
260                                 type = CC_NAMED;
261                                 mask = name;
262                                 typeMask = 'n' + mask;
263                         }
264                         else
265                         {
266                                 throw CoreException("Connect class must have allow, deny, or name specified at " + tag->getTagLocation());
267                         }
268
269                         if (name.empty())
270                         {
271                                 name = "unnamed-" + ConvToStr(i);
272                         }
273                         else
274                         {
275                                 typeMask = 'n' + name;
276                         }
277
278                         if (names.find(name) != names.end())
279                                 throw CoreException("Two connect classes with name \"" + name + "\" defined!");
280                         names[name] = i;
281
282                         ConnectClass* me = parent ?
283                                 new ConnectClass(tag, type, mask, *parent) :
284                                 new ConnectClass(tag, type, mask);
285
286                         me->name = name;
287
288                         me->registration_timeout = tag->getInt("timeout", me->registration_timeout);
289                         me->pingtime = tag->getInt("pingfreq", me->pingtime);
290                         std::string sendq;
291                         if (tag->readString("sendq", sendq))
292                         {
293                                 // attempt to guess a good hard/soft sendq from a single value
294                                 long value = atol(sendq.c_str());
295                                 if (value > 16384)
296                                         me->softsendqmax = value / 16;
297                                 else
298                                         me->softsendqmax = value;
299                                 me->hardsendqmax = value * 8;
300                         }
301                         me->softsendqmax = tag->getInt("softsendq", me->softsendqmax);
302                         me->hardsendqmax = tag->getInt("hardsendq", me->hardsendqmax);
303                         me->recvqmax = tag->getInt("recvq", me->recvqmax);
304                         me->penaltythreshold = tag->getInt("threshold", me->penaltythreshold);
305                         me->commandrate = tag->getInt("commandrate", me->commandrate);
306                         me->fakelag = tag->getBool("fakelag", me->fakelag);
307                         me->maxlocal = tag->getInt("localmax", me->maxlocal);
308                         me->maxglobal = tag->getInt("globalmax", me->maxglobal);
309                         me->maxchans = tag->getInt("maxchans", me->maxchans);
310                         me->maxconnwarn = tag->getBool("maxconnwarn", me->maxconnwarn);
311                         me->limit = tag->getInt("limit", me->limit);
312                         me->resolvehostnames = tag->getBool("resolvehostnames", me->resolvehostnames);
313
314                         ClassMap::iterator oldMask = oldBlocksByMask.find(typeMask);
315                         if (oldMask != oldBlocksByMask.end())
316                         {
317                                 ConnectClass* old = oldMask->second;
318                                 oldBlocksByMask.erase(oldMask);
319                                 old->Update(me);
320                                 delete me;
321                                 me = old;
322                         }
323                         Classes[i] = me;
324                 }
325         }
326 }
327
328 /** Represents a deprecated configuration tag.
329  */
330 struct DeprecatedConfig
331 {
332         /** Tag name. */
333         std::string tag;
334
335         /** Attribute key. */
336         std::string key;
337
338         /** Attribute value. */
339         std::string value;
340
341         /** Reason for deprecation. */
342         std::string reason;
343 };
344
345 static const DeprecatedConfig ChangedConfig[] = {
346         { "bind",        "transport",   "",                 "has been moved to <bind:ssl> as of 2.0" },
347         { "die",         "value",       "",                 "you need to reread your config" },
348         { "link",        "autoconnect", "",                 "2.0+ does not use this attribute - define <autoconnect> tags instead" },
349         { "link",        "transport",   "",                 "has been moved to <link:ssl> as of 2.0" },
350         { "module",      "name",        "m_chanprotect.so", "has been replaced with m_customprefix as of 2.2" },
351         { "module",      "name",        "m_halfop.so",      "has been replaced with m_customprefix as of 2.2" },
352         { "options",     "cyclehosts",  "",                 "has been replaced with m_hostcycle as of 2.2" },
353         { "performance", "nouserdns",   "",                 "has been moved to <connect:resolvehostnames> as of 2.2" }
354 };
355
356 void ServerConfig::Fill()
357 {
358         ConfigTag* options = ConfValue("options");
359         ConfigTag* security = ConfValue("security");
360         if (sid.empty())
361         {
362                 ServerName = ConfValue("server")->getString("name", "irc.example.com");
363                 ValidHost(ServerName, "<server:name>");
364
365                 sid = ConfValue("server")->getString("id");
366                 if (!sid.empty() && !InspIRCd::IsSID(sid))
367                         throw CoreException(sid + " is not a valid server ID. A server ID must be 3 characters long, with the first character a digit and the next two characters a digit or letter.");
368         }
369         else
370         {
371                 if (ServerName != ConfValue("server")->getString("name"))
372                         throw CoreException("You must restart to change the server name");
373
374                 std::string nsid = ConfValue("server")->getString("id");
375                 if (!nsid.empty() && nsid != sid)
376                         throw CoreException("You must restart to change the server id");
377         }
378         diepass = ConfValue("power")->getString("diepass");
379         restartpass = ConfValue("power")->getString("restartpass");
380         powerhash = ConfValue("power")->getString("hash");
381         PrefixQuit = options->getString("prefixquit");
382         SuffixQuit = options->getString("suffixquit");
383         FixedQuit = options->getString("fixedquit");
384         PrefixPart = options->getString("prefixpart");
385         SuffixPart = options->getString("suffixpart");
386         FixedPart = options->getString("fixedpart");
387         SoftLimit = ConfValue("performance")->getInt("softlimit", ServerInstance->SE->GetMaxFds());
388         CCOnConnect = ConfValue("performance")->getBool("clonesonconnect", true);
389         MaxConn = ConfValue("performance")->getInt("somaxconn", SOMAXCONN);
390         MoronBanner = options->getString("moronbanner", "You're banned!");
391         ServerDesc = ConfValue("server")->getString("description", "Configure Me");
392         Network = ConfValue("server")->getString("network", "Network");
393         AdminName = ConfValue("admin")->getString("name", "");
394         AdminEmail = ConfValue("admin")->getString("email", "null@example.com");
395         AdminNick = ConfValue("admin")->getString("nick", "admin");
396         ModPath = ConfValue("path")->getString("moduledir", MOD_PATH);
397         NetBufferSize = ConfValue("performance")->getInt("netbuffersize", 10240);
398         dns_timeout = ConfValue("dns")->getInt("timeout", 5);
399         DisabledCommands = ConfValue("disabled")->getString("commands", "");
400         DisabledDontExist = ConfValue("disabled")->getBool("fakenonexistant");
401         UserStats = security->getString("userstats");
402         CustomVersion = security->getString("customversion");
403         HideSplits = security->getBool("hidesplits");
404         HideBans = security->getBool("hidebans");
405         HideWhoisServer = security->getString("hidewhois");
406         HideKillsServer = security->getString("hidekills");
407         RestrictBannedUsers = security->getBool("restrictbannedusers", true);
408         GenericOper = security->getBool("genericoper");
409         SyntaxHints = options->getBool("syntaxhints");
410         CycleHostsFromUser = options->getBool("cyclehostsfromuser");
411         UndernetMsgPrefix = options->getBool("ircumsgprefix");
412         FullHostInTopic = options->getBool("hostintopic");
413         MaxTargets = security->getInt("maxtargets", 20);
414         DefaultModes = options->getString("defaultmodes", "nt");
415         PID = ConfValue("pid")->getString("file");
416         MaxChans = ConfValue("channels")->getInt("users", 20);
417         OperMaxChans = ConfValue("channels")->getInt("opers", 60);
418         c_ipv4_range = ConfValue("cidr")->getInt("ipv4clone", 32);
419         c_ipv6_range = ConfValue("cidr")->getInt("ipv6clone", 128);
420         Limits.NickMax = ConfValue("limits")->getInt("maxnick", 32);
421         Limits.ChanMax = ConfValue("limits")->getInt("maxchan", 64);
422         Limits.MaxModes = ConfValue("limits")->getInt("maxmodes", 20);
423         Limits.IdentMax = ConfValue("limits")->getInt("maxident", 11);
424         Limits.MaxQuit = ConfValue("limits")->getInt("maxquit", 255);
425         Limits.MaxTopic = ConfValue("limits")->getInt("maxtopic", 307);
426         Limits.MaxKick = ConfValue("limits")->getInt("maxkick", 255);
427         Limits.MaxGecos = ConfValue("limits")->getInt("maxgecos", 128);
428         Limits.MaxAway = ConfValue("limits")->getInt("maxaway", 200);
429         Limits.MaxLine = ConfValue("limits")->getInt("maxline", 512);
430         InvBypassModes = options->getBool("invitebypassmodes", true);
431         NoSnoticeStack = options->getBool("nosnoticestack", false);
432
433         if (Network.find(' ') != std::string::npos)
434                 throw CoreException(Network + " is not a valid network name. A network name must not contain spaces.");
435
436         range(SoftLimit, 10, ServerInstance->SE->GetMaxFds(), ServerInstance->SE->GetMaxFds(), "<performance:softlimit>");
437         range(MaxTargets, 1, 31, 20, "<security:maxtargets>");
438         range(NetBufferSize, 1024, 65534, 10240, "<performance:netbuffersize>");
439
440         std::string defbind = options->getString("defaultbind");
441         if (assign(defbind) == "ipv4")
442         {
443                 WildcardIPv6 = false;
444         }
445         else if (assign(defbind) == "ipv6")
446         {
447                 WildcardIPv6 = true;
448         }
449         else
450         {
451                 WildcardIPv6 = true;
452                 int socktest = socket(AF_INET6, SOCK_STREAM, 0);
453                 if (socktest < 0)
454                         WildcardIPv6 = false;
455                 else
456                         ServerInstance->SE->Close(socktest);
457         }
458         ConfigTagList tags = ConfTags("uline");
459         for(ConfigIter i = tags.first; i != tags.second; ++i)
460         {
461                 ConfigTag* tag = i->second;
462                 std::string server;
463                 if (!tag->readString("server", server))
464                         throw CoreException("<uline> tag missing server at " + tag->getTagLocation());
465
466                 if (ServerName == server)
467                         throw CoreException("Servers should not uline themselves (at " + tag->getTagLocation() + ")");
468
469                 ulines[assign(server)] = tag->getBool("silent");
470         }
471
472         ReadXLine(this, "badip", "ipmask", ServerInstance->XLines->GetFactory("Z"));
473         ReadXLine(this, "badnick", "nick", ServerInstance->XLines->GetFactory("Q"));
474         ReadXLine(this, "badhost", "host", ServerInstance->XLines->GetFactory("K"));
475         ReadXLine(this, "exception", "host", ServerInstance->XLines->GetFactory("E"));
476
477         memset(DisabledUModes, 0, sizeof(DisabledUModes));
478         std::string modes = ConfValue("disabled")->getString("usermodes");
479         for (std::string::const_iterator p = modes.begin(); p != modes.end(); ++p)
480         {
481                 // Complain when the character is not a-z or A-Z
482                 if ((*p < 'A') || (*p > 'z') || ((*p < 'a') && (*p > 'Z')))
483                         throw CoreException("Invalid usermode " + std::string(1, *p) + " was found.");
484                 DisabledUModes[*p - 'A'] = 1;
485         }
486
487         memset(DisabledCModes, 0, sizeof(DisabledCModes));
488         modes = ConfValue("disabled")->getString("chanmodes");
489         for (std::string::const_iterator p = modes.begin(); p != modes.end(); ++p)
490         {
491                 if ((*p < 'A') || (*p > 'z') || ((*p < 'a') && (*p > 'Z')))
492                         throw CoreException("Invalid chanmode " + std::string(1, *p) + " was found.");
493                 DisabledCModes[*p - 'A'] = 1;
494         }
495
496         memset(HideModeLists, 0, sizeof(HideModeLists));
497         modes = ConfValue("security")->getString("hidemodes");
498         for (std::string::const_iterator p = modes.begin(); p != modes.end(); ++p)
499                 HideModeLists[(unsigned char) *p] = true;
500
501         std::string v = security->getString("announceinvites");
502
503         if (v == "ops")
504                 AnnounceInvites = ServerConfig::INVITE_ANNOUNCE_OPS;
505         else if (v == "all")
506                 AnnounceInvites = ServerConfig::INVITE_ANNOUNCE_ALL;
507         else if (v == "dynamic")
508                 AnnounceInvites = ServerConfig::INVITE_ANNOUNCE_DYNAMIC;
509         else
510                 AnnounceInvites = ServerConfig::INVITE_ANNOUNCE_NONE;
511
512         v = security->getString("operspywhois");
513         if (v == "splitmsg")
514                 OperSpyWhois = SPYWHOIS_SPLITMSG;
515         else if (v == "on" || v == "yes")
516                 OperSpyWhois = SPYWHOIS_SINGLEMSG;
517         else
518                 OperSpyWhois = SPYWHOIS_NONE;
519 }
520
521 // WARNING: it is not safe to use most of the codebase in this function, as it
522 // will run in the config reader thread
523 void ServerConfig::Read()
524 {
525         /* Load and parse the config file, if there are any errors then explode */
526
527         ParseStack stack(this);
528         try
529         {
530                 valid = stack.ParseFile(ServerInstance->ConfigFileName, 0);
531         }
532         catch (CoreException& err)
533         {
534                 valid = false;
535                 errstr << err.GetReason();
536         }
537 }
538
539 void ServerConfig::Apply(ServerConfig* old, const std::string &useruid)
540 {
541         valid = true;
542         if (old)
543         {
544                 /*
545                  * These values can only be set on boot. Keep their old values. Do it before we send messages so we actually have a servername.
546                  */
547                 this->ServerName = old->ServerName;
548                 this->sid = old->sid;
549                 this->cmdline = old->cmdline;
550         }
551
552         /* The stuff in here may throw CoreException, be sure we're in a position to catch it. */
553         try
554         {
555                 for (int index = 0; index * sizeof(DeprecatedConfig) < sizeof(ChangedConfig); index++)
556                 {
557                         std::string value;
558                         ConfigTagList tags = ConfTags(ChangedConfig[index].tag);
559                         for(ConfigIter i = tags.first; i != tags.second; ++i)
560                         {
561                                 if (i->second->readString(ChangedConfig[index].key, value, true)
562                                         && (ChangedConfig[index].value.empty() || value == ChangedConfig[index].value))
563                                 {
564                                         errstr << "Your configuration contains a deprecated value: <"  << ChangedConfig[index].tag;
565                                         if (ChangedConfig[index].value.empty())
566                                         {
567                                                 errstr << ':' << ChangedConfig[index].key;
568                                         }
569                                         else
570                                         {
571                                                 errstr << ' ' << ChangedConfig[index].key << "=\"" << ChangedConfig[index].value << "\"";
572                                         }
573                                         errstr << "> - " << ChangedConfig[index].reason << " (at " << i->second->getTagLocation() << ")" << std::endl;
574                                 }
575                         }
576                 }
577
578                 Fill();
579
580                 // Handle special items
581                 CrossCheckOperClassType();
582                 CrossCheckConnectBlocks(old);
583         }
584         catch (CoreException &ce)
585         {
586                 errstr << ce.GetReason();
587         }
588
589         // Check errors before dealing with failed binds, since continuing on failed bind is wanted in some circumstances.
590         valid = errstr.str().empty();
591
592         // write once here, to try it out and make sure its ok
593         if (valid)
594                 ServerInstance->WritePID(this->PID);
595
596         ConfigTagList binds = ConfTags("bind");
597         if (binds.first == binds.second)
598                  errstr << "Possible configuration error: you have not defined any <bind> blocks." << std::endl
599                          << "You will need to do this if you want clients to be able to connect!" << std::endl;
600
601         if (old)
602         {
603                 // On first run, ports are bound later on
604                 FailedPortList pl;
605                 ServerInstance->BindPorts(pl);
606                 if (pl.size())
607                 {
608                         errstr << "Not all your client ports could be bound." << std::endl
609                                 << "The following port(s) failed to bind:" << std::endl;
610
611                         int j = 1;
612                         for (FailedPortList::iterator i = pl.begin(); i != pl.end(); i++, j++)
613                         {
614                                 errstr << j << ".\tAddress: " << (i->first.empty() ? "<all>" : i->first.c_str()) << "\tReason: "
615                                         << i->second << std::endl;
616                         }
617                 }
618         }
619
620         User* user = useruid.empty() ? NULL : ServerInstance->FindNick(useruid);
621
622         if (!valid)
623                 ServerInstance->Logs->Log("CONFIG", LOG_DEFAULT, "There were errors in your configuration file:");
624
625         while (errstr.good())
626         {
627                 std::string line;
628                 getline(errstr, line, '\n');
629                 if (line.empty())
630                         continue;
631                 // On startup, print out to console (still attached at this point)
632                 if (!old)
633                         std::cout << line << std::endl;
634                 // If a user is rehashing, tell them directly
635                 if (user)
636                         user->SendText(":%s NOTICE %s :*** %s", ServerInstance->Config->ServerName.c_str(), user->nick.c_str(), line.c_str());
637                 // Also tell opers
638                 ServerInstance->SNO->WriteGlobalSno('a', line);
639         }
640
641         errstr.clear();
642         errstr.str(std::string());
643
644         // Re-parse our MOTD and RULES files for colors -- Justasic
645         for (ClassVector::const_iterator it = this->Classes.begin(), it_end = this->Classes.end(); it != it_end; ++it)
646         {
647                 ConfigTag *tag = (*it)->config;
648                 // Make sure our connection class allows motd colors
649                 if(!tag->getBool("allowmotdcolors"))
650                       continue;
651
652                 ConfigFileCache::iterator file = this->Files.find(tag->getString("motd", "motd"));
653                 if (file != this->Files.end())
654                       InspIRCd::ProcessColors(file->second);
655
656                 file = this->Files.find(tag->getString("rules", "rules"));
657                 if (file != this->Files.end())
658                       InspIRCd::ProcessColors(file->second);
659         }
660
661         /* No old configuration -> initial boot, nothing more to do here */
662         if (!old)
663         {
664                 if (!valid)
665                 {
666                         ServerInstance->Exit(EXIT_STATUS_CONFIG);
667                 }
668
669                 return;
670         }
671
672
673         // If there were errors processing configuration, don't touch modules.
674         if (!valid)
675                 return;
676
677         ApplyModules(user);
678
679         if (user)
680                 user->SendText(":%s NOTICE %s :*** Successfully rehashed server.",
681                         ServerInstance->Config->ServerName.c_str(), user->nick.c_str());
682         ServerInstance->SNO->WriteGlobalSno('a', "*** Successfully rehashed server.");
683 }
684
685 void ServerConfig::ApplyModules(User* user)
686 {
687         const std::vector<std::string> v = ServerInstance->Modules->GetAllModuleNames(0);
688         std::vector<std::string> added_modules;
689         std::set<std::string> removed_modules(v.begin(), v.end());
690
691         ConfigTagList tags = ConfTags("module");
692         for(ConfigIter i = tags.first; i != tags.second; ++i)
693         {
694                 ConfigTag* tag = i->second;
695                 std::string name;
696                 if (tag->readString("name", name))
697                 {
698                         // if this module is already loaded, the erase will succeed, so we need do nothing
699                         // otherwise, we need to add the module (which will be done later)
700                         if (removed_modules.erase(name) == 0)
701                                 added_modules.push_back(name);
702                 }
703         }
704
705         for (std::set<std::string>::iterator removing = removed_modules.begin(); removing != removed_modules.end(); removing++)
706         {
707                 // Don't remove cmd_*.so, just remove m_*.so
708                 if (removing->c_str()[0] == 'c')
709                         continue;
710                 Module* m = ServerInstance->Modules->Find(*removing);
711                 if (m && ServerInstance->Modules->Unload(m))
712                 {
713                         ServerInstance->SNO->WriteGlobalSno('a', "*** REHASH UNLOADED MODULE: %s",removing->c_str());
714
715                         if (user)
716                                 user->WriteNumeric(RPL_UNLOADEDMODULE, "%s %s :Module %s successfully unloaded.",user->nick.c_str(), removing->c_str(), removing->c_str());
717                         else
718                                 ServerInstance->SNO->WriteGlobalSno('a', "Module %s successfully unloaded.", removing->c_str());
719                 }
720                 else
721                 {
722                         if (user)
723                                 user->WriteNumeric(ERR_CANTUNLOADMODULE, "%s %s :Failed to unload module %s: %s",user->nick.c_str(), removing->c_str(), removing->c_str(), ServerInstance->Modules->LastError().c_str());
724                         else
725                                  ServerInstance->SNO->WriteGlobalSno('a', "Failed to unload module %s: %s", removing->c_str(), ServerInstance->Modules->LastError().c_str());
726                 }
727         }
728
729         for (std::vector<std::string>::iterator adding = added_modules.begin(); adding != added_modules.end(); adding++)
730         {
731                 if (ServerInstance->Modules->Load(adding->c_str()))
732                 {
733                         ServerInstance->SNO->WriteGlobalSno('a', "*** REHASH LOADED MODULE: %s",adding->c_str());
734                         if (user)
735                                 user->WriteNumeric(RPL_LOADEDMODULE, "%s %s :Module %s successfully loaded.",user->nick.c_str(), adding->c_str(), adding->c_str());
736                         else
737                                 ServerInstance->SNO->WriteGlobalSno('a', "Module %s successfully loaded.", adding->c_str());
738                 }
739                 else
740                 {
741                         if (user)
742                                 user->WriteNumeric(ERR_CANTLOADMODULE, "%s %s :Failed to load module %s: %s",user->nick.c_str(), adding->c_str(), adding->c_str(), ServerInstance->Modules->LastError().c_str());
743                         else
744                                 ServerInstance->SNO->WriteGlobalSno('a', "Failed to load module %s: %s", adding->c_str(), ServerInstance->Modules->LastError().c_str());
745                 }
746         }
747 }
748
749 bool ServerConfig::StartsWithWindowsDriveLetter(const std::string &path)
750 {
751         return (path.length() > 2 && isalpha(path[0]) && path[1] == ':');
752 }
753
754 ConfigTag* ServerConfig::ConfValue(const std::string &tag)
755 {
756         ConfigTagList found = config_data.equal_range(tag);
757         if (found.first == found.second)
758                 return NULL;
759         ConfigTag* rv = found.first->second;
760         found.first++;
761         if (found.first != found.second)
762                 ServerInstance->Logs->Log("CONFIG", LOG_DEFAULT, "Multiple <" + tag + "> tags found; only first will be used "
763                         "(first at " + rv->getTagLocation() + "; second at " + found.first->second->getTagLocation() + ")");
764         return rv;
765 }
766
767 ConfigTagList ServerConfig::ConfTags(const std::string& tag)
768 {
769         return config_data.equal_range(tag);
770 }
771
772 bool ServerConfig::FileExists(const char* file)
773 {
774         struct stat sb;
775         if (stat(file, &sb) == -1)
776                 return false;
777
778         if ((sb.st_mode & S_IFDIR) > 0)
779                 return false;
780
781         return !access(file, F_OK);
782 }
783
784 std::string ServerConfig::Escape(const std::string& str, bool xml)
785 {
786         std::string escaped;
787         for (std::string::const_iterator it = str.begin(); it != str.end(); ++it)
788         {
789                 switch (*it)
790                 {
791                         case '"':
792                                 escaped += xml ? "&quot;" : "\"";
793                                 break;
794                         case '&':
795                                 escaped += xml ? "&amp;" : "&";
796                                 break;
797                         case '\\':
798                                 escaped += xml ? "\\" : "\\\\";
799                                 break;
800                         default:
801                                 escaped += *it;
802                                 break;
803                 }
804         }
805         return escaped;
806 }
807
808 const char* ServerConfig::CleanFilename(const char* name)
809 {
810         const char* p = name + strlen(name);
811         while ((p != name) && (*p != '/') && (*p != '\\')) p--;
812         return (p != name ? ++p : p);
813 }
814
815 void ConfigReaderThread::Run()
816 {
817         Config->Read();
818         done = true;
819 }
820
821 void ConfigReaderThread::Finish()
822 {
823         ServerConfig* old = ServerInstance->Config;
824         ServerInstance->Logs->Log("CONFIG", LOG_DEBUG, "Switching to new configuration...");
825         ServerInstance->Config = this->Config;
826         Config->Apply(old, TheUserUID);
827
828         if (Config->valid)
829         {
830                 /*
831                  * Apply the changed configuration from the rehash.
832                  *
833                  * XXX: The order of these is IMPORTANT, do not reorder them without testing
834                  * thoroughly!!!
835                  */
836                 ServerInstance->XLines->CheckELines();
837                 ServerInstance->XLines->ApplyLines();
838                 ChanModeReference ban(NULL, "ban");
839                 static_cast<ListModeBase*>(*ban)->DoRehash();
840                 Config->ApplyDisabledCommands(Config->DisabledCommands);
841                 User* user = ServerInstance->FindNick(TheUserUID);
842                 FOREACH_MOD(OnRehash, (user));
843                 ServerInstance->ISupport.Build();
844
845                 ServerInstance->Logs->CloseLogs();
846                 ServerInstance->Logs->OpenFileLogs();
847
848                 if (Config->RawLog && !old->RawLog)
849                         ServerInstance->Users->ServerNoticeAll("*** Raw I/O logging is enabled on this server. All messages, passwords, and commands are being recorded.");
850
851                 Config = old;
852         }
853         else
854         {
855                 // whoops, abort!
856                 ServerInstance->Config = old;
857         }
858 }