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