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