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