]> git.netwichtig.de Git - user/henk/code/inspircd.git/blob - src/configreader.cpp
Remove InspIRCd::WriteOpers in favour of snomask O
[user/henk/code/inspircd.git] / src / configreader.cpp
1 /*       +------------------------------------+
2  *       | Inspire Internet Relay Chat Daemon |
3  *       +------------------------------------+
4  *
5  *  InspIRCd: (C) 2002-2008 InspIRCd Development Team
6  * See: http://www.inspircd.org/wiki/index.php/Credits
7  *
8  * This program is free but copyrighted software; see
9  *          the file COPYING for details.
10  *
11  * ---------------------------------------------------
12  */
13
14 /* $Core: libIRCDconfigreader */
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: docs/inspircd.conf.example $(CONPATH) */
23
24 #include "inspircd.h"
25 #include <fstream>
26 #include "xline.h"
27 #include "exitcodes.h"
28 #include "commands/cmd_whowas.h"
29
30 std::vector<std::string> old_module_names, new_module_names, added_modules, removed_modules;
31
32 /* Needs forward declaration */
33 bool ValidateDnsServer(ServerConfig* conf, const char* tag, const char* value, ValueItem &data);
34 bool DoneELine(ServerConfig* conf, const char* tag);
35
36 ServerConfig::ServerConfig(InspIRCd* Instance) : ServerInstance(Instance)
37 {
38         this->ClearStack();
39         *ServerName = *Network = *ServerDesc = *AdminName = '\0';
40         *HideWhoisServer = *AdminEmail = *AdminNick = *diepass = *restartpass = *FixedQuit = *HideKillsServer = '\0';
41         *DefaultModes = *CustomVersion = *motd = *rules = *PrefixQuit = *DieValue = *DNSServer = '\0';
42         *UserStats = *ModPath = *MyExecutable = *DisabledCommands = *PID = *SuffixQuit = '\0';
43         WhoWasGroupSize = WhoWasMaxGroups = WhoWasMaxKeep = 0;
44         log_file = NULL;
45         NoUserDns = forcedebug = OperSpyWhois = nofork = HideBans = HideSplits = UndernetMsgPrefix = false;
46         CycleHosts = writelog = AllowHalfop = true;
47         dns_timeout = DieDelay = 5;
48         MaxTargets = 20;
49         NetBufferSize = 10240;
50         SoftLimit = MAXCLIENTS;
51         MaxConn = SOMAXCONN;
52         MaxWhoResults = 0;
53         debugging = 0;
54         MaxChans = 20;
55         OperMaxChans = 30;
56         LogLevel = DEFAULT;
57         maxbans.clear();
58         DNSServerValidator = &ValidateDnsServer;
59 }
60
61 void ServerConfig::ClearStack()
62 {
63         include_stack.clear();
64 }
65
66 Module* ServerConfig::GetIOHook(int port)
67 {
68         std::map<int,Module*>::iterator x = IOHookModule.find(port);
69         return (x != IOHookModule.end() ? x->second : NULL);
70 }
71
72 Module* ServerConfig::GetIOHook(BufferedSocket* is)
73 {
74         std::map<BufferedSocket*,Module*>::iterator x = SocketIOHookModule.find(is);
75         return (x != SocketIOHookModule.end() ? x->second : NULL);
76 }
77
78 bool ServerConfig::AddIOHook(int port, Module* iomod)
79 {
80         if (!GetIOHook(port))
81         {
82                 IOHookModule[port] = iomod;
83                 return true;
84         }
85         else
86         {
87                 throw ModuleException("Port already hooked by another module");
88                 return false;
89         }
90 }
91
92 bool ServerConfig::AddIOHook(Module* iomod, BufferedSocket* is)
93 {
94         if (!GetIOHook(is))
95         {
96                 SocketIOHookModule[is] = iomod;
97                 is->IsIOHooked = true;
98                 return true;
99         }
100         else
101         {
102                 throw ModuleException("BufferedSocket derived class already hooked by another module");
103                 return false;
104         }
105 }
106
107 bool ServerConfig::DelIOHook(int port)
108 {
109         std::map<int,Module*>::iterator x = IOHookModule.find(port);
110         if (x != IOHookModule.end())
111         {
112                 IOHookModule.erase(x);
113                 return true;
114         }
115         return false;
116 }
117
118 bool ServerConfig::DelIOHook(BufferedSocket* is)
119 {
120         std::map<BufferedSocket*,Module*>::iterator x = SocketIOHookModule.find(is);
121         if (x != SocketIOHookModule.end())
122         {
123                 SocketIOHookModule.erase(x);
124                 return true;
125         }
126         return false;
127 }
128
129 void ServerConfig::Update005()
130 {
131         std::stringstream out(data005);
132         std::string token;
133         std::string line5;
134         int token_counter = 0;
135         isupport.clear();
136         while (out >> token)
137         {
138                 line5 = line5 + token + " ";
139                 token_counter++;
140                 if (token_counter >= 13)
141                 {
142                         char buf[MAXBUF];
143                         snprintf(buf, MAXBUF, "%s:are supported by this server", line5.c_str());
144                         isupport.push_back(buf);
145                         line5.clear();
146                         token_counter = 0;
147                 }
148         }
149         if (!line5.empty())
150         {
151                 char buf[MAXBUF];
152                 snprintf(buf, MAXBUF, "%s:are supported by this server", line5.c_str());
153                 isupport.push_back(buf);
154         }
155 }
156
157 void ServerConfig::Send005(User* user)
158 {
159         for (std::vector<std::string>::iterator line = ServerInstance->Config->isupport.begin(); line != ServerInstance->Config->isupport.end(); line++)
160                 user->WriteServ("005 %s %s", user->nick, line->c_str());
161 }
162
163 bool ServerConfig::CheckOnce(char* tag)
164 {
165         int count = ConfValueEnum(this->config_data, tag);
166
167         if (count > 1)
168         {
169                 throw CoreException("You have more than one <"+std::string(tag)+"> tag, this is not permitted.");
170                 return false;
171         }
172         if (count < 1)
173         {
174                 throw CoreException("You have not defined a <"+std::string(tag)+"> tag, this is required.");
175                 return false;
176         }
177         return true;
178 }
179
180 bool NoValidation(ServerConfig*, const char*, const char*, ValueItem&)
181 {
182         return true;
183 }
184
185 bool DoneConfItem(ServerConfig* conf, const char* tag)
186 {
187         return true;
188 }
189
190 void ServerConfig::ValidateNoSpaces(const char* p, const std::string &tag, const std::string &val)
191 {
192         for (const char* ptr = p; *ptr; ++ptr)
193         {
194                 if (*ptr == ' ')
195                         throw CoreException("The value of <"+tag+":"+val+"> cannot contain spaces");
196         }
197 }
198
199 /* NOTE: Before anyone asks why we're not using inet_pton for this, it is because inet_pton and friends do not return so much detail,
200  * even in strerror(errno). They just return 'yes' or 'no' to an address without such detail as to whats WRONG with the address.
201  * Because ircd users arent as technical as they used to be (;)) we are going to give more of a useful error message.
202  */
203 void ServerConfig::ValidateIP(const char* p, const std::string &tag, const std::string &val, bool wild)
204 {
205         int num_dots = 0;
206         int num_seps = 0;
207         int not_numbers = false;
208         int not_hex = false;
209
210         if (*p)
211         {
212                 if (*p == '.')
213                         throw CoreException("The value of <"+tag+":"+val+"> is not an IP address");
214
215                 for (const char* ptr = p; *ptr; ++ptr)
216                 {
217                         if (wild && (*ptr == '*' || *ptr == '?' || *ptr == '/'))
218                                 continue;
219
220                         if (*ptr != ':' && *ptr != '.')
221                         {
222                                 if (*ptr < '0' || *ptr > '9')
223                                         not_numbers = true;
224                                 if ((*ptr < '0' || *ptr > '9') && (toupper(*ptr) < 'A' || toupper(*ptr) > 'F'))
225                                         not_hex = true;
226                         }
227                         switch (*ptr)
228                         {
229                                 case ' ':
230                                         throw CoreException("The value of <"+tag+":"+val+"> is not an IP address");
231                                 case '.':
232                                         num_dots++;
233                                 break;
234                                 case ':':
235                                         num_seps++;
236                                 break;
237                         }
238                 }
239
240                 if (num_dots > 3)
241                         throw CoreException("The value of <"+tag+":"+val+"> is an IPv4 address with too many fields!");
242
243                 if (num_seps > 8)
244                         throw CoreException("The value of <"+tag+":"+val+"> is an IPv6 address with too many fields!");
245
246                 if (num_seps == 0 && num_dots < 3 && !wild)
247                         throw CoreException("The value of <"+tag+":"+val+"> looks to be a malformed IPv4 address");
248
249                 if (num_seps == 0 && num_dots == 3 && not_numbers)
250                         throw CoreException("The value of <"+tag+":"+val+"> contains non-numeric characters in an IPv4 address");
251
252                 if (num_seps != 0 && not_hex)
253                         throw CoreException("The value of <"+tag+":"+val+"> contains non-hexdecimal characters in an IPv6 address");
254
255                 if (num_seps != 0 && num_dots != 3 && num_dots != 0 && !wild)
256                         throw CoreException("The value of <"+tag+":"+val+"> is a malformed IPv6 4in6 address");
257         }
258 }
259
260 void ServerConfig::ValidateHostname(const char* p, const std::string &tag, const std::string &val)
261 {
262         int num_dots = 0;
263         if (*p)
264         {
265                 if (*p == '.')
266                         throw CoreException("The value of <"+tag+":"+val+"> is not a valid hostname");
267                 for (const char* ptr = p; *ptr; ++ptr)
268                 {
269                         switch (*ptr)
270                         {
271                                 case ' ':
272                                         throw CoreException("The value of <"+tag+":"+val+"> is not a valid hostname");
273                                 case '.':
274                                         num_dots++;
275                                 break;
276                         }
277                 }
278                 if (num_dots == 0)
279                         throw CoreException("The value of <"+tag+":"+val+"> is not a valid hostname");
280         }
281 }
282
283 bool ValidateMaxTargets(ServerConfig* conf, const char*, const char*, ValueItem &data)
284 {
285         if ((data.GetInteger() < 0) || (data.GetInteger() > 31))
286         {
287                 conf->GetInstance()->Log(DEFAULT,"WARNING: <options:maxtargets> value is greater than 31 or less than 0, set to 20.");
288                 data.Set(20);
289         }
290         return true;
291 }
292
293 bool ValidateSoftLimit(ServerConfig* conf, const char*, const char*, ValueItem &data)
294 {
295         if ((data.GetInteger() < 1) || (data.GetInteger() > MAXCLIENTS))
296         {
297                 conf->GetInstance()->Log(DEFAULT,"WARNING: <options:softlimit> value is greater than %d or less than 0, set to %d.",MAXCLIENTS,MAXCLIENTS);
298                 data.Set(MAXCLIENTS);
299         }
300         return true;
301 }
302
303 bool ValidateMaxConn(ServerConfig* conf, const char*, const char*, ValueItem &data)
304 {
305         if (data.GetInteger() > SOMAXCONN)
306                 conf->GetInstance()->Log(DEFAULT,"WARNING: <options:somaxconn> value may be higher than the system-defined SOMAXCONN value!");
307         return true;
308 }
309
310 bool InitializeDisabledCommands(const char* data, InspIRCd* ServerInstance)
311 {
312         std::stringstream dcmds(data);
313         std::string thiscmd;
314
315         /* Enable everything first */
316         for (Commandable::iterator x = ServerInstance->Parser->cmdlist.begin(); x != ServerInstance->Parser->cmdlist.end(); x++)
317                 x->second->Disable(false);
318
319         /* Now disable all the ones which the user wants disabled */
320         while (dcmds >> thiscmd)
321         {
322                 Commandable::iterator cm = ServerInstance->Parser->cmdlist.find(thiscmd);
323                 if (cm != ServerInstance->Parser->cmdlist.end())
324                 {
325                         cm->second->Disable(true);
326                 }
327         }
328         return true;
329 }
330
331 bool ValidateDnsServer(ServerConfig* conf, const char*, const char*, ValueItem &data)
332 {
333         if (!*(data.GetString()))
334         {
335                 std::string nameserver;
336                 // attempt to look up their nameserver from /etc/resolv.conf
337                 conf->GetInstance()->Log(DEFAULT,"WARNING: <dns:server> not defined, attempting to find working server in /etc/resolv.conf...");
338                 ifstream resolv("/etc/resolv.conf");
339                 bool found_server = false;
340
341                 if (resolv.is_open())
342                 {
343                         while (resolv >> nameserver)
344                         {
345                                 if ((nameserver == "nameserver") && (!found_server))
346                                 {
347                                         resolv >> nameserver;
348                                         data.Set(nameserver.c_str());
349                                         found_server = true;
350                                         conf->GetInstance()->Log(DEFAULT,"<dns:server> set to '%s' as first resolver in /etc/resolv.conf.",nameserver.c_str());
351                                 }
352                         }
353
354                         if (!found_server)
355                         {
356                                 conf->GetInstance()->Log(DEFAULT,"/etc/resolv.conf contains no viable nameserver entries! Defaulting to nameserver '127.0.0.1'!");
357                                 data.Set("127.0.0.1");
358                         }
359                 }
360                 else
361                 {
362                         conf->GetInstance()->Log(DEFAULT,"/etc/resolv.conf can't be opened! Defaulting to nameserver '127.0.0.1'!");
363                         data.Set("127.0.0.1");
364                 }
365         }
366         return true;
367 }
368
369 bool ValidateServerName(ServerConfig* conf, const char*, const char*, ValueItem &data)
370 {
371         /* If we already have a servername, and they changed it, we should throw an exception. */
372         if ((strcasecmp(conf->ServerName, data.GetString())) && (*conf->ServerName))
373         {
374                 throw CoreException("Configuration error: You cannot change your servername at runtime! Please restart your server for this change to be applied.");
375                 /* We don't actually reach this return of course... */
376                 return false;
377         }
378         if (!strchr(data.GetString(),'.'))
379         {
380                 conf->GetInstance()->Log(DEFAULT,"WARNING: <server:name> '%s' is not a fully-qualified domain name. Changed to '%s%c'",data.GetString(),data.GetString(),'.');
381                 std::string moo = std::string(data.GetString()).append(".");
382                 data.Set(moo.c_str());
383         }
384         return true;
385 }
386
387 bool ValidateNetBufferSize(ServerConfig* conf, const char*, const char*, ValueItem &data)
388 {
389         if ((!data.GetInteger()) || (data.GetInteger() > 65535) || (data.GetInteger() < 1024))
390         {
391                 conf->GetInstance()->Log(DEFAULT,"No NetBufferSize specified or size out of range, setting to default of 10240.");
392                 data.Set(10240);
393         }
394         return true;
395 }
396
397 bool ValidateMaxWho(ServerConfig* conf, const char*, const char*, ValueItem &data)
398 {
399         if ((data.GetInteger() > 65535) || (data.GetInteger() < 1))
400         {
401                 conf->GetInstance()->Log(DEFAULT,"<options:maxwhoresults> size out of range, setting to default of 128.");
402                 data.Set(128);
403         }
404         return true;
405 }
406
407 bool ValidateLogLevel(ServerConfig* conf, const char*, const char*, ValueItem &data)
408 {
409         std::string dbg = data.GetString();
410         conf->LogLevel = DEFAULT;
411
412         if (dbg == "debug")
413                 conf->LogLevel = DEBUG;
414         else if (dbg  == "verbose")
415                 conf->LogLevel = VERBOSE;
416         else if (dbg == "default")
417                 conf->LogLevel = DEFAULT;
418         else if (dbg == "sparse")
419                 conf->LogLevel = SPARSE;
420         else if (dbg == "none")
421                 conf->LogLevel = NONE;
422
423         conf->debugging = (conf->LogLevel == DEBUG);
424
425         return true;
426 }
427
428 bool ValidateMotd(ServerConfig* conf, const char*, const char*, ValueItem &data)
429 {
430         conf->ReadFile(conf->MOTD, data.GetString());
431         return true;
432 }
433
434 bool ValidateNotEmpty(ServerConfig*, const char* tag, const char*, ValueItem &data)
435 {
436         if (!*data.GetString())
437                 throw CoreException(std::string("The value for ")+tag+" cannot be empty!");
438         return true;
439 }
440
441 bool ValidateRules(ServerConfig* conf, const char*, const char*, ValueItem &data)
442 {
443         conf->ReadFile(conf->RULES, data.GetString());
444         return true;
445 }
446
447 bool ValidateModeLists(ServerConfig* conf, const char*, const char*, ValueItem &data)
448 {
449         memset(conf->HideModeLists, 0, 256);
450         for (const unsigned char* x = (const unsigned char*)data.GetString(); *x; ++x)
451                 conf->HideModeLists[*x] = true;
452         return true;
453 }
454
455 bool ValidateExemptChanOps(ServerConfig* conf, const char*, const char*, ValueItem &data)
456 {
457         memset(conf->ExemptChanOps, 0, 256);
458         for (const unsigned char* x = (const unsigned char*)data.GetString(); *x; ++x)
459                 conf->ExemptChanOps[*x] = true;
460         return true;
461 }
462
463 bool ValidateInvite(ServerConfig* conf, const char*, const char*, ValueItem &data)
464 {
465         std::string v = data.GetString();
466
467         if (v == "ops")
468                 conf->AnnounceInvites = ServerConfig::INVITE_ANNOUNCE_OPS;
469         else if (v == "all")
470                 conf->AnnounceInvites = ServerConfig::INVITE_ANNOUNCE_ALL;
471         else if (v == "dynamic")
472                 conf->AnnounceInvites = ServerConfig::INVITE_ANNOUNCE_DYNAMIC;
473         else
474                 conf->AnnounceInvites = ServerConfig::INVITE_ANNOUNCE_NONE;
475
476         return true;
477 }
478
479 bool ValidateSID(ServerConfig* conf, const char*, const char*, ValueItem &data)
480 {
481         const char *sid = data.GetString();
482
483         if (*sid && !conf->GetInstance()->IsSID(sid))
484         {
485                 throw CoreException(std::string(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.");
486         }
487
488         return true;
489 }
490
491 bool ValidateWhoWas(ServerConfig* conf, const char*, const char*, ValueItem &data)
492 {
493         conf->WhoWasMaxKeep = conf->GetInstance()->Duration(data.GetString());
494
495         if (conf->WhoWasGroupSize < 0)
496                 conf->WhoWasGroupSize = 0;
497
498         if (conf->WhoWasMaxGroups < 0)
499                 conf->WhoWasMaxGroups = 0;
500
501         if (conf->WhoWasMaxKeep < 3600)
502         {
503                 conf->WhoWasMaxKeep = 3600;
504                 conf->GetInstance()->Log(DEFAULT,"WARNING: <whowas:maxkeep> value less than 3600, setting to default 3600");
505         }
506
507         Command* whowas_command = conf->GetInstance()->Parser->GetHandler("WHOWAS");
508         if (whowas_command)
509         {
510                 std::deque<classbase*> params;
511                 whowas_command->HandleInternal(WHOWAS_PRUNE, params);
512         }
513
514         return true;
515 }
516
517 /* Callback called before processing the first <connect> tag
518  */
519 bool InitConnect(ServerConfig* conf, const char*)
520 {
521         conf->GetInstance()->Log(DEFAULT,"Reading connect classes...");
522
523         for (ClassVector::iterator i = conf->Classes.begin(); i != conf->Classes.end(); i++)
524         {
525                 ConnectClass *c = *i;
526
527                 conf->GetInstance()->Log(DEBUG, "Address of class is %p", c);
528         }
529
530         for (ClassVector::iterator i = conf->Classes.begin(); i != conf->Classes.end() ; )
531         {
532                 ConnectClass* c = *i;
533
534                 /* only delete a class with refcount 0 */
535                 if (c->RefCount == 0)
536                 {
537                         conf->GetInstance()->Log(DEFAULT, "Removing connect class, refcount is 0!");
538                         
539                         /* This was causing a crash, because we'd set i to .begin() just here, but then the for loop's increment would
540                          * set it to .begin() + 1. Which if it was already the last thing in the list, wasn't good.
541                          * Now the increment is in the else { } below.
542                          */
543                         conf->Classes.erase(i);
544                         i = conf->Classes.begin(); // start over so we don't trample on a bad iterator
545                 }
546                 else
547                 {
548                         /* also mark all existing classes disabled, if they still exist in the conf, they will be reenabled. */
549                         c->SetDisabled(true);
550                         i++;
551                 }
552         }
553
554         return true;
555 }
556
557 /* Callback called to process a single <connect> tag
558  */
559 bool DoConnect(ServerConfig* conf, const char*, char**, ValueList &values, int*)
560 {
561         ConnectClass c;
562         const char* allow = values[0].GetString(); /* Yeah, there are a lot of values. Live with it. */
563         const char* deny = values[1].GetString();
564         const char* password = values[2].GetString();
565         int timeout = values[3].GetInteger();
566         int pingfreq = values[4].GetInteger();
567         int flood = values[5].GetInteger();
568         int threshold = values[6].GetInteger();
569         int sendq = values[7].GetInteger();
570         int recvq = values[8].GetInteger();
571         int localmax = values[9].GetInteger();
572         int globalmax = values[10].GetInteger();
573         int port = values[11].GetInteger();
574         const char* name = values[12].GetString();
575         const char* parent = values[13].GetString();
576         int maxchans = values[14].GetInteger();
577         unsigned long limit = values[15].GetInteger();
578
579         /*
580          * duplicates check: Now we don't delete all connect classes on rehash, we need to ensure we don't add dupes.
581          * easier said than done, but for now we'll just disallow anything with a duplicate host or name. -- w00t
582          */
583         for (ClassVector::iterator item = conf->Classes.begin(); item != conf->Classes.end(); ++item)
584         {
585                 ConnectClass* c = *item;
586                 if ((*name && (c->GetName() == name)) || (*allow && (c->GetHost() == allow)) || (*deny && (c->GetHost() == deny)))
587                 {
588                         /* reenable class so users can be shoved into it :P */
589                         c->SetDisabled(false);
590                         conf->GetInstance()->Log(DEFAULT, "Not adding class, it already exists!");
591                         return true;
592                 } 
593         }
594
595         conf->GetInstance()->Log(DEFAULT,"Adding a connect class!");
596
597         if (*parent)
598         {
599                 /* Find 'parent' and inherit a new class from it,
600                  * then overwrite any values that are set here
601                  */
602                 ClassVector::iterator item = conf->Classes.begin();
603                 for (; item != conf->Classes.end(); ++item)
604                 {
605                         ConnectClass* c = *item;
606                         conf->GetInstance()->Log(DEBUG,"Class: %s", c->GetName().c_str());
607                         if (c->GetName() == parent)
608                         {
609                                 ConnectClass* newclass = new ConnectClass(name, c);
610                                 newclass->Update(timeout, flood, *allow ? allow : deny, pingfreq, password, threshold, sendq, recvq, localmax, globalmax, maxchans, port, limit);
611                                 conf->Classes.push_back(newclass);
612                                 break;
613                         }
614                 }
615                 if (item == conf->Classes.end())
616                         throw CoreException("Class name '" + std::string(name) + "' is configured to inherit from class '" + std::string(parent) + "' which cannot be found.");
617         }
618         else
619         {
620                 if (*allow)
621                 {
622                         ConnectClass* c = new ConnectClass(name, timeout, flood, allow, pingfreq, password, threshold, sendq, recvq, localmax, globalmax, maxchans);
623                         c->limit = limit;
624                         c->SetPort(port);
625                         conf->Classes.push_back(c);
626                 }
627                 else
628                 {
629                         ConnectClass* c = new ConnectClass(name, deny);
630                         c->SetPort(port);
631                         conf->Classes.push_back(c);
632                 }
633         }
634
635         return true;
636 }
637
638 /* Callback called when there are no more <connect> tags
639  */
640 bool DoneConnect(ServerConfig *conf, const char*)
641 {
642         conf->GetInstance()->Log(DEFAULT, "Done adding connect classes!");
643         return true;
644 }
645
646 /* Callback called before processing the first <uline> tag
647  */
648 bool InitULine(ServerConfig* conf, const char*)
649 {
650         conf->ulines.clear();
651         return true;
652 }
653
654 /* Callback called to process a single <uline> tag
655  */
656 bool DoULine(ServerConfig* conf, const char*, char**, ValueList &values, int*)
657 {
658         const char* server = values[0].GetString();
659         const bool silent = values[1].GetBool();
660         conf->ulines[server] = silent;
661         return true;
662 }
663
664 /* Callback called when there are no more <uline> tags
665  */
666 bool DoneULine(ServerConfig*, const char*)
667 {
668         return true;
669 }
670
671 /* Callback called before processing the first <module> tag
672  */
673 bool InitModule(ServerConfig* conf, const char*)
674 {
675         old_module_names = conf->GetInstance()->Modules->GetAllModuleNames(0);
676         new_module_names.clear();
677         added_modules.clear();
678         removed_modules.clear();
679         return true;
680 }
681
682 /* Callback called to process a single <module> tag
683  */
684 bool DoModule(ServerConfig*, const char*, char**, ValueList &values, int*)
685 {
686         const char* modname = values[0].GetString();
687         new_module_names.push_back(modname);
688         return true;
689 }
690
691 /* Callback called when there are no more <module> tags
692  */
693 bool DoneModule(ServerConfig*, const char*)
694 {
695         // now create a list of new modules that are due to be loaded
696         // and a seperate list of modules which are due to be unloaded
697         for (std::vector<std::string>::iterator _new = new_module_names.begin(); _new != new_module_names.end(); _new++)
698         {
699                 bool added = true;
700
701                 for (std::vector<std::string>::iterator old = old_module_names.begin(); old != old_module_names.end(); old++)
702                 {
703                         if (*old == *_new)
704                                 added = false;
705                 }
706
707                 if (added)
708                         added_modules.push_back(*_new);
709         }
710
711         for (std::vector<std::string>::iterator oldm = old_module_names.begin(); oldm != old_module_names.end(); oldm++)
712         {
713                 bool removed = true;
714                 for (std::vector<std::string>::iterator newm = new_module_names.begin(); newm != new_module_names.end(); newm++)
715                 {
716                         if (*newm == *oldm)
717                                 removed = false;
718                 }
719
720                 if (removed)
721                         removed_modules.push_back(*oldm);
722         }
723         return true;
724 }
725
726 /* Callback called before processing the first <banlist> tag
727  */
728 bool InitMaxBans(ServerConfig* conf, const char*)
729 {
730         conf->maxbans.clear();
731         return true;
732 }
733
734 /* Callback called to process a single <banlist> tag
735  */
736 bool DoMaxBans(ServerConfig* conf, const char*, char**, ValueList &values, int*)
737 {
738         const char* channel = values[0].GetString();
739         int limit = values[1].GetInteger();
740         conf->maxbans[channel] = limit;
741         return true;
742 }
743
744 /* Callback called when there are no more <banlist> tags.
745  */
746 bool DoneMaxBans(ServerConfig*, const char*)
747 {
748         return true;
749 }
750
751 void ServerConfig::ReportConfigError(const std::string &errormessage, bool bail, User* user)
752 {
753         ServerInstance->Log(DEFAULT, "There were errors in your configuration file: %s", errormessage.c_str());
754         if (bail)
755         {
756                 /* Unneeded because of the ServerInstance->Log() aboive? */
757                 printf("There were errors in your configuration:\n%s\n\n",errormessage.c_str());
758                 ServerInstance->Exit(EXIT_STATUS_CONFIG);
759         }
760         else
761         {
762                 std::string errors = errormessage;
763                 std::string::size_type start;
764                 unsigned int prefixlen;
765                 start = 0;
766                 /* ":ServerInstance->Config->ServerName NOTICE user->nick :" */
767                 if (user)
768                 {
769                         prefixlen = strlen(this->ServerName) + strlen(user->nick) + 11;
770                         user->WriteServ("NOTICE %s :There were errors in the configuration file:",user->nick);
771                         while (start < errors.length())
772                         {
773                                 user->WriteServ("NOTICE %s :%s",user->nick, errors.substr(start, 510 - prefixlen).c_str());
774                                 start += 510 - prefixlen;
775                         }
776                 }
777                 else
778                 {
779                         ServerInstance->SNO->WriteToSnoMask('O', "There were errors in the configuration file:");
780                         while (start < errors.length())
781                         {
782                                 ServerInstance->SNO->WriteToSnoMask('O', errors.substr(start, 360).c_str());
783                                 start += 360;
784                         }
785                 }
786                 return;
787         }
788 }
789
790 void ServerConfig::Read(bool bail, User* user, int pass)
791 {
792         int rem = 0, add = 0;           /* Number of modules added, number of modules removed */
793
794         static char debug[MAXBUF];      /* Temporary buffer for debugging value */
795         static char maxkeep[MAXBUF];    /* Temporary buffer for WhoWasMaxKeep value */
796         static char hidemodes[MAXBUF];  /* Modes to not allow listing from users below halfop */
797         static char exemptchanops[MAXBUF];      /* Exempt channel ops from these modes */
798         static char announceinvites[MAXBUF];    /* options:announceinvites setting */
799         errstr.clear();
800
801         /* These tags MUST occur and must ONLY occur once in the config file */
802         static char* Once[] = { "server", "admin", "files", "power", "options", NULL };
803
804         /* These tags can occur ONCE or not at all */
805         InitialConfig Values[] = {
806                 {"options",     "softlimit",    MAXCLIENTS_S,           new ValueContainerUInt (&this->SoftLimit),              DT_INTEGER,  ValidateSoftLimit},
807                 {"options",     "somaxconn",    SOMAXCONN_S,            new ValueContainerInt  (&this->MaxConn),                DT_INTEGER,  ValidateMaxConn},
808                 {"options",     "moronbanner",  "Youre banned!",        new ValueContainerChar (this->MoronBanner),             DT_CHARPTR,  NoValidation},
809                 {"server",      "name",         "",                     new ValueContainerChar (this->ServerName),              DT_HOSTNAME, ValidateServerName},
810                 {"server",      "description",  "Configure Me",         new ValueContainerChar (this->ServerDesc),              DT_CHARPTR,  NoValidation},
811                 {"server",      "network",      "Network",              new ValueContainerChar (this->Network),                 DT_NOSPACES, NoValidation},
812                 {"server",      "id",           "",                     new ValueContainerChar (this->sid),                     DT_CHARPTR,  ValidateSID},
813                 {"admin",       "name",         "",                     new ValueContainerChar (this->AdminName),               DT_CHARPTR,  NoValidation},
814                 {"admin",       "email",        "Mis@configu.red",      new ValueContainerChar (this->AdminEmail),              DT_CHARPTR,  NoValidation},
815                 {"admin",       "nick",         "Misconfigured",        new ValueContainerChar (this->AdminNick),               DT_CHARPTR,  NoValidation},
816                 {"files",       "motd",         "",                     new ValueContainerChar (this->motd),                    DT_CHARPTR,  ValidateMotd},
817                 {"files",       "rules",        "",                     new ValueContainerChar (this->rules),                   DT_CHARPTR,  ValidateRules},
818                 {"power",       "diepass",      "",                     new ValueContainerChar (this->diepass),                 DT_CHARPTR,  ValidateNotEmpty},
819                 {"power",       "pause",        "",                     new ValueContainerInt  (&this->DieDelay),               DT_INTEGER,  NoValidation},
820                 {"power",       "restartpass",  "",                     new ValueContainerChar (this->restartpass),             DT_CHARPTR,  ValidateNotEmpty},
821                 {"options",     "prefixquit",   "",                     new ValueContainerChar (this->PrefixQuit),              DT_CHARPTR,  NoValidation},
822                 {"options",     "suffixquit",   "",                     new ValueContainerChar (this->SuffixQuit),              DT_CHARPTR,  NoValidation},
823                 {"options",     "fixedquit",    "",                     new ValueContainerChar (this->FixedQuit),               DT_CHARPTR,  NoValidation},
824                 {"options",     "prefixpart",   "",                     new ValueContainerChar (this->PrefixPart),              DT_CHARPTR,  NoValidation},
825                 {"options",     "suffixpart",   "",                     new ValueContainerChar (this->SuffixPart),              DT_CHARPTR,  NoValidation},
826                 {"options",     "fixedpart",    "",                     new ValueContainerChar (this->FixedPart),               DT_CHARPTR,  NoValidation},
827                 {"options",     "loglevel",     "default",              new ValueContainerChar (debug),                         DT_CHARPTR,  ValidateLogLevel},
828                 {"options",     "netbuffersize","10240",                new ValueContainerInt  (&this->NetBufferSize),          DT_INTEGER,  ValidateNetBufferSize},
829                 {"options",     "maxwho",       "128",                  new ValueContainerInt  (&this->MaxWhoResults),          DT_INTEGER,  ValidateMaxWho},
830                 {"options",     "allowhalfop",  "0",                    new ValueContainerBool (&this->AllowHalfop),            DT_BOOLEAN,  NoValidation},
831                 {"dns",         "server",       "",                     new ValueContainerChar (this->DNSServer),               DT_IPADDRESS,DNSServerValidator},
832                 {"dns",         "timeout",      "5",                    new ValueContainerInt  (&this->dns_timeout),            DT_INTEGER,  NoValidation},
833                 {"options",     "moduledir",    MOD_PATH,               new ValueContainerChar (this->ModPath),                 DT_CHARPTR,  NoValidation},
834                 {"disabled",    "commands",     "",                     new ValueContainerChar (this->DisabledCommands),        DT_CHARPTR,  NoValidation},
835                 {"options",     "userstats",    "",                     new ValueContainerChar (this->UserStats),               DT_CHARPTR,  NoValidation},
836                 {"options",     "customversion","",                     new ValueContainerChar (this->CustomVersion),           DT_CHARPTR,  NoValidation},
837                 {"options",     "hidesplits",   "0",                    new ValueContainerBool (&this->HideSplits),             DT_BOOLEAN,  NoValidation},
838                 {"options",     "hidebans",     "0",                    new ValueContainerBool (&this->HideBans),               DT_BOOLEAN,  NoValidation},
839                 {"options",     "hidewhois",    "",                     new ValueContainerChar (this->HideWhoisServer),         DT_NOSPACES, NoValidation},
840                 {"options",     "hidekills",    "",                     new ValueContainerChar (this->HideKillsServer),         DT_NOSPACES,  NoValidation},
841                 {"options",     "operspywhois", "0",                    new ValueContainerBool (&this->OperSpyWhois),           DT_BOOLEAN,  NoValidation},
842                 {"options",     "nouserdns",    "0",                    new ValueContainerBool (&this->NoUserDns),              DT_BOOLEAN,  NoValidation},
843                 {"options",     "syntaxhints",  "0",                    new ValueContainerBool (&this->SyntaxHints),            DT_BOOLEAN,  NoValidation},
844                 {"options",     "cyclehosts",   "0",                    new ValueContainerBool (&this->CycleHosts),             DT_BOOLEAN,  NoValidation},
845                 {"options",     "ircumsgprefix","0",                    new ValueContainerBool (&this->UndernetMsgPrefix),      DT_BOOLEAN,  NoValidation},
846                 {"options",     "announceinvites", "1",                 new ValueContainerChar (announceinvites),               DT_CHARPTR,  ValidateInvite},
847                 {"options",     "hostintopic",  "1",                    new ValueContainerBool (&this->FullHostInTopic),        DT_BOOLEAN,  NoValidation},
848                 {"options",     "hidemodes",    "",                     new ValueContainerChar (hidemodes),                     DT_CHARPTR,  ValidateModeLists},
849                 {"options",     "exemptchanops","",                     new ValueContainerChar (exemptchanops),                 DT_CHARPTR,  ValidateExemptChanOps},
850                 {"options",     "maxtargets",   "20",                   new ValueContainerUInt (&this->MaxTargets),             DT_INTEGER,  ValidateMaxTargets},
851                 {"options",     "defaultmodes", "nt",                   new ValueContainerChar (this->DefaultModes),            DT_CHARPTR,  NoValidation},
852                 {"pid",         "file",         "",                     new ValueContainerChar (this->PID),                     DT_CHARPTR,  NoValidation},
853                 {"whowas",      "groupsize",    "10",                   new ValueContainerInt  (&this->WhoWasGroupSize),        DT_INTEGER,  NoValidation},
854                 {"whowas",      "maxgroups",    "10240",                new ValueContainerInt  (&this->WhoWasMaxGroups),        DT_INTEGER,  NoValidation},
855                 {"whowas",      "maxkeep",      "3600",                 new ValueContainerChar (maxkeep),                       DT_CHARPTR,  ValidateWhoWas},
856                 {"die",         "value",        "",                     new ValueContainerChar (this->DieValue),                DT_CHARPTR,  NoValidation},
857                 {"channels",    "users",        "20",                   new ValueContainerUInt (&this->MaxChans),               DT_INTEGER,  NoValidation},
858                 {"channels",    "opers",        "60",                   new ValueContainerUInt (&this->OperMaxChans),           DT_INTEGER,  NoValidation},
859                 {NULL,          NULL,           NULL,                   NULL,                                                   DT_NOTHING,  NoValidation}
860         };
861
862         /* These tags can occur multiple times, and therefore they have special code to read them
863          * which is different to the code for reading the singular tags listed above.
864          */
865         MultiConfig MultiValues[] = {
866
867                 {"connect",
868                                 {"allow",       "deny",         "password",     "timeout",      "pingfreq",     "flood",
869                                 "threshold",    "sendq",        "recvq",        "localmax",     "globalmax",    "port",
870                                 "name",         "parent",       "maxchans",     "limit",
871                                 NULL},
872                                 {"",            "",             "",             "",             "120",          "",
873                                  "",            "",             "",             "3",            "3",            "0",
874                                  "",            "",             "0",        "0",
875                                  NULL},
876                                 {DT_IPADDRESS|DT_ALLOW_WILD,
877                                                 DT_IPADDRESS|DT_ALLOW_WILD,
878                                                                 DT_CHARPTR,     DT_INTEGER,     DT_INTEGER,     DT_INTEGER,
879                                 DT_INTEGER,     DT_INTEGER,     DT_INTEGER,     DT_INTEGER,     DT_INTEGER,     DT_INTEGER,
880                                 DT_NOSPACES,    DT_NOSPACES,    DT_INTEGER,     DT_INTEGER},
881                                 InitConnect, DoConnect, DoneConnect},
882
883                 {"uline",
884                                 {"server",      "silent",       NULL},
885                                 {"",            "0",            NULL},
886                                 {DT_HOSTNAME,   DT_BOOLEAN},
887                                 InitULine,DoULine,DoneULine},
888
889                 {"banlist",
890                                 {"chan",        "limit",        NULL},
891                                 {"",            "",             NULL},
892                                 {DT_CHARPTR,    DT_INTEGER},
893                                 InitMaxBans, DoMaxBans, DoneMaxBans},
894
895                 {"module",
896                                 {"name",        NULL},
897                                 {"",            NULL},
898                                 {DT_CHARPTR},
899                                 InitModule, DoModule, DoneModule},
900
901                 {"badip",
902                                 {"reason",      "ipmask",       NULL},
903                                 {"No reason",   "",             NULL},
904                                 {DT_CHARPTR,    DT_IPADDRESS|DT_ALLOW_WILD},
905                                 InitXLine, DoZLine, DoneConfItem},
906
907                 {"badnick",
908                                 {"reason",      "nick",         NULL},
909                                 {"No reason",   "",             NULL},
910                                 {DT_CHARPTR,    DT_CHARPTR},
911                                 InitXLine, DoQLine, DoneConfItem},
912         
913                 {"badhost",
914                                 {"reason",      "host",         NULL},
915                                 {"No reason",   "",             NULL},
916                                 {DT_CHARPTR,    DT_CHARPTR},
917                                 InitXLine, DoKLine, DoneConfItem},
918
919                 {"exception",
920                                 {"reason",      "host",         NULL},
921                                 {"No reason",   "",             NULL},
922                                 {DT_CHARPTR,    DT_CHARPTR},
923                                 InitXLine, DoELine, DoneELine},
924         
925                 {"type",
926                                 {"name",        "classes",      NULL},
927                                 {"",            "",             NULL},
928                                 {DT_NOSPACES,   DT_CHARPTR},
929                                 InitTypes, DoType, DoneClassesAndTypes},
930
931                 {"class",
932                                 {"name",        "commands",     NULL},
933                                 {"",            "",             NULL},
934                                 {DT_NOSPACES,   DT_CHARPTR},
935                                 InitClasses, DoClass, DoneClassesAndTypes},
936         
937                 {NULL,
938                                 {NULL},
939                                 {NULL},
940                                 {0},
941                                 NULL, NULL, NULL}
942         };
943
944         /* Load and parse the config file, if there are any errors then explode */
945
946         /* Make a copy here so if it fails then we can carry on running with an unaffected config */
947         newconfig.clear();
948
949         if (this->LoadConf(newconfig, ServerInstance->ConfigFileName, errstr, pass))
950         {
951                 /* If we succeeded, set the ircd config to the new one */
952                 this->config_data = newconfig;
953         }
954         else
955         {
956                 ReportConfigError(errstr.str(), bail, user);
957                 return;
958         }
959
960         /* The stuff in here may throw CoreException, be sure we're in a position to catch it. */
961         try
962         {
963                 /* Read the values of all the tags which occur once or not at all, and call their callbacks.
964                  */
965                 for (int Index = 0; Values[Index].tag; Index++)
966                 {
967                         char item[MAXBUF];
968                         int dt = Values[Index].datatype;
969                         bool allow_newlines = ((dt & DT_ALLOW_NEWLINE) > 0);
970                         bool allow_wild = ((dt & DT_ALLOW_WILD) > 0);
971                         dt &= ~DT_ALLOW_NEWLINE;
972                         dt &= ~DT_ALLOW_WILD;
973
974                         ConfValue(this->config_data, Values[Index].tag, Values[Index].value, Values[Index].default_value, 0, item, MAXBUF, allow_newlines);
975                         ValueItem vi(item);
976                         
977                         if (!Values[Index].validation_function(this, Values[Index].tag, Values[Index].value, vi))
978                                 throw CoreException("One or more values in your configuration file failed to validate. Please see your ircd.log for more information.");
979         
980                         switch (Values[Index].datatype)
981                         {
982                                 case DT_NOSPACES:
983                                 {
984                                         ValueContainerChar* vcc = (ValueContainerChar*)Values[Index].val;
985                                         this->ValidateNoSpaces(vi.GetString(), Values[Index].tag, Values[Index].value);
986                                         vcc->Set(vi.GetString(), strlen(vi.GetString()) + 1);
987                                 }
988                                 break;
989                                 case DT_HOSTNAME:
990                                 {
991                                         ValueContainerChar* vcc = (ValueContainerChar*)Values[Index].val;
992                                         this->ValidateHostname(vi.GetString(), Values[Index].tag, Values[Index].value);
993                                         vcc->Set(vi.GetString(), strlen(vi.GetString()) + 1);
994                                 }
995                                 break;
996                                 case DT_IPADDRESS:
997                                 {
998                                         ValueContainerChar* vcc = (ValueContainerChar*)Values[Index].val;
999                                         this->ValidateIP(vi.GetString(), Values[Index].tag, Values[Index].value, allow_wild);
1000                                         vcc->Set(vi.GetString(), strlen(vi.GetString()) + 1);
1001                                 }
1002                                 break;
1003                                 case DT_CHANNEL:
1004                                 {
1005                                         ValueContainerChar* vcc = (ValueContainerChar*)Values[Index].val;
1006                                         if (*(vi.GetString()) && !ServerInstance->IsChannel(vi.GetString()))
1007                                                 throw CoreException("The value of <"+std::string(Values[Index].tag)+":"+Values[Index].value+"> is not a valid channel name");
1008                                         vcc->Set(vi.GetString(), strlen(vi.GetString()) + 1);
1009                                 }
1010                                 break;
1011                                 case DT_CHARPTR:
1012                                 {
1013                                         ValueContainerChar* vcc = (ValueContainerChar*)Values[Index].val;
1014                                         /* Make sure we also copy the null terminator */
1015                                         vcc->Set(vi.GetString(), strlen(vi.GetString()) + 1);
1016                                 }
1017                                 break;
1018                                 case DT_INTEGER:
1019                                 {
1020                                         int val = vi.GetInteger();
1021                                         ValueContainerInt* vci = (ValueContainerInt*)Values[Index].val;
1022                                         vci->Set(&val, sizeof(int));
1023                                 }
1024                                 break;
1025                                 case DT_BOOLEAN:
1026                                 {
1027                                         bool val = vi.GetBool();
1028                                         ValueContainerBool* vcb = (ValueContainerBool*)Values[Index].val;
1029                                         vcb->Set(&val, sizeof(bool));
1030                                 }
1031                                 break;
1032                                 default:
1033                                         /* You don't want to know what happens if someones bad code sends us here. */
1034                                 break;
1035                         }
1036                         /* We're done with this now */
1037                         delete Values[Index].val;
1038                 }
1039
1040                 /* Read the multiple-tag items (class tags, connect tags, etc)
1041                  * and call the callbacks associated with them. We have three
1042                  * callbacks for these, a 'start', 'item' and 'end' callback.
1043                  */
1044                 for (int Index = 0; MultiValues[Index].tag; Index++)
1045                 {
1046                         MultiValues[Index].init_function(this, MultiValues[Index].tag);
1047
1048                         int number_of_tags = ConfValueEnum(this->config_data, MultiValues[Index].tag);
1049
1050                         for (int tagnum = 0; tagnum < number_of_tags; tagnum++)
1051                         {
1052                                 ValueList vl;
1053                                 for (int valuenum = 0; MultiValues[Index].items[valuenum]; valuenum++)
1054                                 {
1055                                         int dt = MultiValues[Index].datatype[valuenum];
1056                                         bool allow_newlines =  ((dt & DT_ALLOW_NEWLINE) > 0);
1057                                         bool allow_wild = ((dt & DT_ALLOW_WILD) > 0);
1058                                         dt &= ~DT_ALLOW_NEWLINE;
1059                                         dt &= ~DT_ALLOW_WILD;
1060
1061                                         switch (dt)
1062                                         {
1063                                                 case DT_NOSPACES:
1064                                                 {
1065                                                         char item[MAXBUF];
1066                                                         if (ConfValue(this->config_data, MultiValues[Index].tag, MultiValues[Index].items[valuenum], MultiValues[Index].items_default[valuenum], tagnum, item, MAXBUF, allow_newlines))
1067                                                                 vl.push_back(ValueItem(item));
1068                                                         else
1069                                                                 vl.push_back(ValueItem(""));
1070                                                         this->ValidateNoSpaces(vl[vl.size()-1].GetString(), MultiValues[Index].tag, MultiValues[Index].items[valuenum]);
1071                                                 }
1072                                                 break;
1073                                                 case DT_HOSTNAME:
1074                                                 {
1075                                                         char item[MAXBUF];
1076                                                         if (ConfValue(this->config_data, MultiValues[Index].tag, MultiValues[Index].items[valuenum], MultiValues[Index].items_default[valuenum], tagnum, item, MAXBUF, allow_newlines))
1077                                                                 vl.push_back(ValueItem(item));
1078                                                         else
1079                                                                 vl.push_back(ValueItem(""));
1080                                                         this->ValidateHostname(vl[vl.size()-1].GetString(), MultiValues[Index].tag, MultiValues[Index].items[valuenum]);
1081                                                 }
1082                                                 break;
1083                                                 case DT_IPADDRESS:
1084                                                 {
1085                                                         char item[MAXBUF];
1086                                                         if (ConfValue(this->config_data, MultiValues[Index].tag, MultiValues[Index].items[valuenum], MultiValues[Index].items_default[valuenum], tagnum, item, MAXBUF, allow_newlines))
1087                                                                 vl.push_back(ValueItem(item));
1088                                                         else
1089                                                                 vl.push_back(ValueItem(""));
1090                                                         this->ValidateIP(vl[vl.size()-1].GetString(), MultiValues[Index].tag, MultiValues[Index].items[valuenum], allow_wild);
1091                                                 }
1092                                                 break;
1093                                                 case DT_CHANNEL:
1094                                                 {
1095                                                         char item[MAXBUF];
1096                                                         if (ConfValue(this->config_data, MultiValues[Index].tag, MultiValues[Index].items[valuenum], MultiValues[Index].items_default[valuenum], tagnum, item, MAXBUF, allow_newlines))
1097                                                                 vl.push_back(ValueItem(item));
1098                                                         else
1099                                                                 vl.push_back(ValueItem(""));
1100                                                         if (!ServerInstance->IsChannel(vl[vl.size()-1].GetString()))
1101                                                                 throw CoreException("The value of <"+std::string(MultiValues[Index].tag)+":"+MultiValues[Index].items[valuenum]+"> number "+ConvToStr(tagnum + 1)+" is not a valid channel name");
1102                                                 }
1103                                                 break;
1104                                                 case DT_CHARPTR:
1105                                                 {
1106                                                         char item[MAXBUF];
1107                                                         if (ConfValue(this->config_data, MultiValues[Index].tag, MultiValues[Index].items[valuenum], MultiValues[Index].items_default[valuenum], tagnum, item, MAXBUF, allow_newlines))
1108                                                                 vl.push_back(ValueItem(item));
1109                                                         else
1110                                                                 vl.push_back(ValueItem(""));
1111                                                 }
1112                                                 break;
1113                                                 case DT_INTEGER:
1114                                                 {
1115                                                         int item = 0;
1116                                                         if (ConfValueInteger(this->config_data, MultiValues[Index].tag, MultiValues[Index].items[valuenum], MultiValues[Index].items_default[valuenum], tagnum, item))
1117                                                                 vl.push_back(ValueItem(item));
1118                                                         else
1119                                                                 vl.push_back(ValueItem(0));
1120                                                 }
1121                                                 break;
1122                                                 case DT_BOOLEAN:
1123                                                 {
1124                                                         bool item = ConfValueBool(this->config_data, MultiValues[Index].tag, MultiValues[Index].items[valuenum], MultiValues[Index].items_default[valuenum], tagnum);
1125                                                         vl.push_back(ValueItem(item));
1126                                                 }
1127                                                 break;
1128                                                 default:
1129                                                         /* Someone was smoking craq if we got here, and we're all gonna die. */
1130                                                 break;
1131                                         }
1132                                 }
1133                                         MultiValues[Index].validation_function(this, MultiValues[Index].tag, (char**)MultiValues[Index].items, vl, MultiValues[Index].datatype);
1134                         }
1135                                 MultiValues[Index].finish_function(this, MultiValues[Index].tag);
1136                 }
1137
1138         }
1139
1140         catch (CoreException &ce)
1141         {
1142                 ReportConfigError(ce.GetReason(), bail, user);
1143                 return;
1144         }
1145
1146         /** XXX END PASS **/
1147         ServerInstance->Log(DEBUG,"End config pass %d", pass);
1148
1149         if (pass == 0)
1150         {
1151                 /* FIRST PASS: Set up commands, load modules.
1152                  * We cannot gaurantee that all config is correct
1153                  * at this point
1154                  */
1155
1156                 if (pass == 0)
1157                 {
1158                         ServerInstance->Log(DEBUG, "Downloading configuration");
1159
1160                         TotalDownloaded = 0;
1161                         FileErrors = 0;
1162                 }
1163
1164                 if (!ServerInstance->Res)
1165                         ServerInstance->Res = new DNS(ServerInstance);
1166                 /** Note: This is safe, the method checks for user == NULL */
1167                 ServerInstance->Parser->SetupCommandTable(user);
1168                 ServerInstance->Modules->LoadAll();
1169         }
1170         else
1171         {
1172                 /* SECOND PASS: Call modules to read configs, finalize
1173                  * stuff. Check that we have at least the required number
1174                  * of whichever items. This is no longer done first.
1175                  */
1176                 ConfigReader* n = new ConfigReader(ServerInstance);
1177                 FOREACH_MOD(I_OnReadConfig,OnReadConfig(this, n));
1178
1179                 for (int Index = 0; Once[Index]; Index++)
1180                         if (!CheckOnce(Once[Index]))
1181                                 return;
1182         }
1183
1184         // write once here, to try it out and make sure its ok
1185         ServerInstance->WritePID(this->PID);
1186
1187         ServerInstance->Log(DEFAULT,"Done reading configuration file.");
1188
1189         /* If we're rehashing, let's load any new modules, and unload old ones
1190          */
1191         if (!bail)
1192         {
1193                 int found_ports = 0;
1194                 FailedPortList pl;
1195                 ServerInstance->BindPorts(false, found_ports, pl);
1196
1197                 if (pl.size() && user)
1198                 {
1199                         user->WriteServ("NOTICE %s :*** Not all your client ports could be bound.", user->nick);
1200                         user->WriteServ("NOTICE %s :*** The following port(s) failed to bind:", user->nick);
1201                         int j = 1;
1202                         for (FailedPortList::iterator i = pl.begin(); i != pl.end(); i++, j++)
1203                         {
1204                                 user->WriteServ("NOTICE %s :*** %d.   IP: %s     Port: %lu", user->nick, j, i->first.empty() ? "<all>" : i->first.c_str(), (unsigned long)i->second);
1205                         }
1206                 }
1207         }
1208
1209         if (!removed_modules.empty())
1210         {
1211                 for (std::vector<std::string>::iterator removing = removed_modules.begin(); removing != removed_modules.end(); removing++)
1212                 {
1213                         if (ServerInstance->Modules->Unload(removing->c_str()))
1214                         {
1215                                 ServerInstance->SNO->WriteToSnoMask('O', "REHASH UNLOADED MODULE: %s",removing->c_str());
1216                                 if (user)
1217                                         user->WriteServ("973 %s %s :Module %s successfully unloaded.",user->nick, removing->c_str(), removing->c_str());
1218                                 rem++;
1219                         }
1220                         else
1221                         {
1222                                 if (user)
1223                                         user->WriteServ("972 %s %s :%s",user->nick, removing->c_str(), ServerInstance->Modules->LastError().c_str());
1224                         }
1225                 }
1226         }
1227
1228         if (!added_modules.empty())
1229         {
1230                 for (std::vector<std::string>::iterator adding = added_modules.begin(); adding != added_modules.end(); adding++)
1231                 {
1232                         /* Skip over modules that are aleready loaded for some reason */
1233                         if (ServerInstance->Modules->Find(*adding))
1234                                 continue;
1235
1236                         if (bail)
1237                                 printf_c("[\033[1;32m*\033[0m] Loading module:\t\033[1;32m%s\033[0m\n", adding->c_str());
1238
1239                         if (ServerInstance->Modules->Load(adding->c_str()))
1240                         {
1241                                 ServerInstance->SNO->WriteToSnoMask('O', "REHASH LOADED MODULE: %s",adding->c_str());
1242                                 if (user)
1243                                         user->WriteServ("975 %s %s :Module %s successfully loaded.",user->nick, adding->c_str(), adding->c_str());
1244
1245                                 add++;
1246                         }
1247                         else
1248                         {
1249                                 if (user)
1250                                         user->WriteServ("974 %s %s :%s",user->nick, adding->c_str(), ServerInstance->Modules->LastError().c_str());
1251
1252                                 if (bail)
1253                                 {
1254                                         printf_c("\n[\033[1;31m*\033[0m] %s\n\n", ServerInstance->Modules->LastError().c_str());
1255                                         ServerInstance->Exit(EXIT_STATUS_MODULE);
1256                                 }
1257                         }
1258                 }
1259         }
1260
1261         ServerInstance->Log(DEFAULT,"Successfully unloaded %lu of %lu modules and loaded %lu of %lu modules.",(unsigned long)rem,(unsigned long)removed_modules.size(),(unsigned long)add,(unsigned long)added_modules.size());
1262
1263         if (user)
1264                 user->WriteServ("NOTICE %s :*** Successfully rehashed server.", user->nick);
1265         else
1266                 ServerInstance->SNO->WriteToSnoMask('O', "Successfully rehashed server.");
1267 }
1268
1269 /* XXX: This can and will block! */
1270 void ServerConfig::DoDownloads()
1271 {
1272         ServerInstance->Log(DEBUG,"In DoDownloads()");
1273
1274         /* Reads all local files into the IncludedFiles map, then initiates sockets for the remote ones */
1275         for (std::map<std::string, std::istream*>::iterator x = IncludedFiles.begin(); x != IncludedFiles.end(); ++x)
1276         {
1277                 if (CompletedFiles.find(x->first) != CompletedFiles.end())
1278                         continue;
1279
1280                 ServerInstance->Log(DEBUG,"StartDownloads File: %s", x->first.c_str());
1281
1282                 std::string file = x->first;
1283                 if ((file[0] == '/') || (file.substr(0, 7) == "file://"))
1284                 {
1285                         /* For file:// schema files, we use std::ifstream which is a derivative of std::istream.
1286                          * For all other file schemas, we use a std::stringstream.
1287                          */
1288
1289                         /* Add our own ifstream */
1290                         std::ifstream* conf = new std::ifstream(file.c_str());
1291                         if (!conf->fail())
1292                         {
1293                                 ServerInstance->Log(DEBUG,"file:// schema file %s loaded OK", file.c_str());
1294                                 delete x->second;
1295                                 x->second = conf;
1296                         }
1297                         else
1298                         {
1299                                 delete x->second;
1300                                 x->second = NULL;
1301                                 FileErrors++;
1302                         }
1303                         TotalDownloaded++;
1304                 }
1305                 else
1306                 {
1307                         /* Modules handle these */
1308                         ServerInstance->Log(DEBUG,"Module-handled schema for %s", x->first.c_str());
1309
1310                         /* For now, error it */
1311                         int MOD_RESULT = 0;
1312                         FOREACH_RESULT(I_OnDownloadFile, OnDownloadFile(file, x->second));
1313                         if (MOD_RESULT == 0)
1314                         {
1315                                 /* No module claimed this file */
1316                                 TotalDownloaded++;
1317                                 FileErrors++;
1318                                 delete x->second;
1319                                 x->second = NULL;
1320                         }
1321                         else
1322                         {
1323                                 /* Search new file here for more includes to parse */
1324                         }
1325                 }
1326                 CompletedFiles[x->first] = true;
1327         }
1328 }
1329
1330 bool ServerConfig::LoadConf(ConfigDataHash &target, const char* filename, std::ostringstream &errorstream, int pass, std::istream *scan_for_includes_only)
1331 {
1332         std::string line;
1333         std::istream* conf = NULL;
1334         char ch;
1335         long linenumber;
1336         bool in_tag;
1337         bool in_quote;
1338         bool in_comment;
1339         int character_count = 0;
1340
1341         linenumber = 1;
1342         in_tag = false;
1343         in_quote = false;
1344         in_comment = false;
1345
1346         if (scan_for_includes_only)
1347         {
1348                 ServerInstance->Log(DEBUG,"scan_for_includes_only set");
1349                 conf = scan_for_includes_only;
1350         }
1351
1352         if (std::string(filename) == CONFIG_FILE)
1353         {
1354                 if (!scan_for_includes_only)
1355                 {
1356                         conf = new std::ifstream(filename);
1357                         if (conf->fail())
1358                         {
1359                                 errorstream << "File " << filename << " could not be opened." << std::endl;
1360                                 return false;
1361                         }
1362                 }
1363         }
1364         else
1365         {
1366                 std::map<std::string, std::istream*>::iterator x = IncludedFiles.find(filename);
1367                 if (x == IncludedFiles.end())
1368                 {
1369                         if (pass == 0)
1370                         {
1371                                 ServerInstance->Log(DEBUG,"Push include file %s onto map", filename);
1372                                 /* First pass, we insert the file into a map, and just return true */
1373                                 IncludedFiles.insert(std::make_pair(filename,new std::stringstream));
1374                                 return true;
1375                         }
1376                         else
1377                         {
1378                                 /* Second pass, look for the file in the map */
1379                                 ServerInstance->Log(DEBUG,"We are in the second pass, and %s is not in the map!", filename);
1380                                 errorstream << "File " << filename << " could not be opened." << std::endl;
1381                                 return false;
1382                         }
1383                 }
1384                 else
1385                 {
1386                         if (!scan_for_includes_only)
1387                         {
1388                                 if (x->second)
1389                                         conf = IncludedFiles.find(filename)->second;
1390                                 else
1391                                 {
1392                                         errorstream << "File " << filename << " could not be opened." << std::endl;
1393                                         return false;
1394                                 }
1395                         }
1396                 }
1397         }
1398
1399         ServerInstance->Log(DEBUG,"Start to read conf %s %08lx", filename, conf);
1400
1401         /* Start reading characters... */
1402         while (conf->get(ch))
1403         {
1404
1405                 /*
1406                  * Fix for moronic windows issue spotted by Adremelech.
1407                  * Some windows editors save text files as utf-16, which is
1408                  * a total pain in the ass to parse. Users should save in the
1409                  * right config format! If we ever see a file where the first
1410                  * byte is 0xFF or 0xFE, or the second is 0xFF or 0xFE, then
1411                  * this is most likely a utf-16 file. Bail out and insult user.
1412                  */
1413                 if ((character_count++ < 2) && (ch == '\xFF' || ch == '\xFE'))
1414                 {
1415                         errorstream << "File " << filename << " cannot be read, as it is encoded in braindead UTF-16. Save your file as plain ASCII!" << std::endl;
1416                         if (!scan_for_includes_only)
1417                                 delete conf;
1418                         return false;
1419                 }
1420
1421                 /*
1422                  * Here we try and get individual tags on separate lines,
1423                  * this would be so easy if we just made people format
1424                  * their config files like that, but they don't so...
1425                  * We check for a '<' and then know the line is over when
1426                  * we get a '>' not inside quotes. If we find two '<' and
1427                  * no '>' then die with an error.
1428                  */
1429
1430                 if ((ch == '#') && !in_quote)
1431                         in_comment = true;
1432
1433                 switch (ch)
1434                 {
1435                         case '\n':
1436                                 if (in_quote)
1437                                         line += '\n';
1438                                 linenumber++;
1439                         case '\r':
1440                                 if (!in_quote)
1441                                         in_comment = false;
1442                         case '\0':
1443                                 continue;
1444                         case '\t':
1445                                 ch = ' ';
1446                 }
1447
1448                 if(in_comment)
1449                         continue;
1450
1451                 /* XXX: Added by Brain, May 1st 2006 - Escaping of characters.
1452                  * Note that this WILL NOT usually allow insertion of newlines,
1453                  * because a newline is two characters long. Use it primarily to
1454                  * insert the " symbol.
1455                  *
1456                  * Note that this also involves a further check when parsing the line,
1457                  * which can be found below.
1458                  */
1459                 if ((ch == '\\') && (in_quote) && (in_tag))
1460                 {
1461                         line += ch;
1462                         char real_character;
1463                         if (conf->get(real_character))
1464                         {
1465                                 if (real_character == 'n')
1466                                         real_character = '\n';
1467                                 line += real_character;
1468                                 continue;
1469                         }
1470                         else
1471                         {
1472                                 errorstream << "End of file after a \\, what did you want to escape?: " << filename << ":" << linenumber << std::endl;
1473                                 if (!scan_for_includes_only)
1474                                         delete conf;
1475                                 return false;
1476                         }
1477                 }
1478
1479                 if (ch != '\r')
1480                         line += ch;
1481
1482                 if (ch == '<')
1483                 {
1484                         if (in_tag)
1485                         {
1486                                 if (!in_quote)
1487                                 {
1488                                         errorstream << "Got another opening < when the first one wasn't closed: " << filename << ":" << linenumber << std::endl;
1489                                         if (!scan_for_includes_only)
1490                                                 delete conf;
1491                                         return false;
1492                                 }
1493                         }
1494                         else
1495                         {
1496                                 if (in_quote)
1497                                 {
1498                                         errorstream << "We're in a quote but outside a tag, interesting. " << filename << ":" << linenumber << std::endl;
1499                                         if (!scan_for_includes_only)
1500                                                 delete conf;
1501                                         return false;
1502                                 }
1503                                 else
1504                                 {
1505                                         // errorstream << "Opening new config tag on line " << linenumber << std::endl;
1506                                         in_tag = true;
1507                                 }
1508                         }
1509                 }
1510                 else if (ch == '"')
1511                 {
1512                         if (in_tag)
1513                         {
1514                                 if (in_quote)
1515                                 {
1516                                         // errorstream << "Closing quote in config tag on line " << linenumber << std::endl;
1517                                         in_quote = false;
1518                                 }
1519                                 else
1520                                 {
1521                                         // errorstream << "Opening quote in config tag on line " << linenumber << std::endl;
1522                                         in_quote = true;
1523                                 }
1524                         }
1525                         else
1526                         {
1527                                 if (in_quote)
1528                                 {
1529                                         errorstream << "Found a (closing) \" outside a tag: " << filename << ":" << linenumber << std::endl;
1530                                 }
1531                                 else
1532                                 {
1533                                         errorstream << "Found a (opening) \" outside a tag: " << filename << ":" << linenumber << std::endl;
1534                                 }
1535                         }
1536                 }
1537                 else if (ch == '>')
1538                 {
1539                         if (!in_quote)
1540                         {
1541                                 if (in_tag)
1542                                 {
1543                                         // errorstream << "Closing config tag on line " << linenumber << std::endl;
1544                                         in_tag = false;
1545
1546                                         /*
1547                                          * If this finds an <include> then ParseLine can simply call
1548                                          * LoadConf() and load the included config into the same ConfigDataHash
1549                                          */
1550
1551                                         if (!this->ParseLine(target, line, linenumber, errorstream, pass, scan_for_includes_only))
1552                                         {
1553                                                 if (!scan_for_includes_only)
1554                                                         delete conf;
1555                                                 return false;
1556                                         }
1557
1558                                         line.clear();
1559                                 }
1560                                 else
1561                                 {
1562                                         errorstream << "Got a closing > when we weren't inside a tag: " << filename << ":" << linenumber << std::endl;
1563                                         if (!scan_for_includes_only)
1564                                                 delete conf;
1565                                         return false;
1566                                 }
1567                         }
1568                 }
1569         }
1570
1571         /* Fix for bug #392 - if we reach the end of a file and we are still in a quote or comment, most likely the user fucked up */
1572         if (in_comment || in_quote)
1573         {
1574                 errorstream << "Reached end of file whilst still inside a quoted section or tag. This is most likely an error or there \
1575                         is a newline missing from the end of the file: " << filename << ":" << linenumber << std::endl;
1576         }
1577
1578         if (!scan_for_includes_only)
1579                 delete conf;
1580         return true;
1581 }
1582
1583 bool ServerConfig::LoadConf(ConfigDataHash &target, const std::string &filename, std::ostringstream &errorstream, int pass, std::istream* scan_for_includs_only)
1584 {
1585         return this->LoadConf(target, filename.c_str(), errorstream, pass, scan_for_includs_only);
1586 }
1587
1588 bool ServerConfig::ParseLine(ConfigDataHash &target, std::string &line, long &linenumber, std::ostringstream &errorstream, int pass, std::istream* scan_for_includes_only)
1589 {
1590         std::string tagname;
1591         std::string current_key;
1592         std::string current_value;
1593         KeyValList results;
1594         bool got_name;
1595         bool got_key;
1596         bool in_quote;
1597
1598         got_name = got_key = in_quote = false;
1599
1600         for(std::string::iterator c = line.begin(); c != line.end(); c++)
1601         {
1602                 if (!got_name)
1603                 {
1604                         /* We don't know the tag name yet. */
1605
1606                         if (*c != ' ')
1607                         {
1608                                 if (*c != '<')
1609                                 {
1610                                         tagname += *c;
1611                                 }
1612                         }
1613                         else
1614                         {
1615                                 /* We got to a space, we should have the tagname now. */
1616                                 if(tagname.length())
1617                                 {
1618                                         got_name = true;
1619                                 }
1620                         }
1621                 }
1622                 else
1623                 {
1624                         /* We have the tag name */
1625                         if (!got_key)
1626                         {
1627                                 /* We're still reading the key name */
1628                                 if (*c != '=')
1629                                 {
1630                                         if (*c != ' ')
1631                                         {
1632                                                 current_key += *c;
1633                                         }
1634                                 }
1635                                 else
1636                                 {
1637                                         /* We got an '=', end of the key name. */
1638                                         got_key = true;
1639                                 }
1640                         }
1641                         else
1642                         {
1643                                 /* We have the key name, now we're looking for quotes and the value */
1644
1645                                 /* Correctly handle escaped characters here.
1646                                  * See the XXX'ed section above.
1647                                  */
1648                                 if ((*c == '\\') && (in_quote))
1649                                 {
1650                                         c++;
1651                                         if (*c == 'n')
1652                                                 current_value += '\n';
1653                                         else
1654                                                 current_value += *c;
1655                                         continue;
1656                                 }
1657                                 else if ((*c == '\n') && (in_quote))
1658                                 {
1659                                         /* Got a 'real' \n, treat it as part of the value */
1660                                         current_value += '\n';
1661                                         linenumber++;
1662                                         continue;
1663                                 }
1664                                 else if ((*c == '\r') && (in_quote))
1665                                         /* Got a \r, drop it */
1666                                         continue;
1667
1668                                 if (*c == '"')
1669                                 {
1670                                         if (!in_quote)
1671                                         {
1672                                                 /* We're not already in a quote. */
1673                                                 in_quote = true;
1674                                         }
1675                                         else
1676                                         {
1677                                                 /* Leaving quotes, we have the value */
1678                                                 if (!scan_for_includes_only)
1679                                                         results.push_back(KeyVal(current_key, current_value));
1680
1681                                                 // std::cout << "<" << tagname << ":" << current_key << "> " << current_value << std::endl;
1682
1683                                                 in_quote = false;
1684                                                 got_key = false;
1685
1686                                                 if ((tagname == "include") && (current_key == "file"))
1687                                                 {       
1688                                                         if (!this->DoInclude(target, current_value, errorstream, pass, scan_for_includes_only))
1689                                                                 return false;
1690                                                 }
1691
1692                                                 current_key.clear();
1693                                                 current_value.clear();
1694                                         }
1695                                 }
1696                                 else
1697                                 {
1698                                         if (in_quote)
1699                                         {
1700                                                 current_value += *c;
1701                                         }
1702                                 }
1703                         }
1704                 }
1705         }
1706
1707         /* Finished parsing the tag, add it to the config hash */
1708         if (!scan_for_includes_only)
1709                 target.insert(std::pair<std::string, KeyValList > (tagname, results));
1710
1711         return true;
1712 }
1713
1714 bool ServerConfig::DoInclude(ConfigDataHash &target, const std::string &file, std::ostringstream &errorstream, int pass, std::istream* scan_for_includes_only)
1715 {
1716         std::string confpath;
1717         std::string newfile;
1718         std::string::size_type pos;
1719
1720         confpath = ServerInstance->ConfigFileName;
1721         newfile = file;
1722
1723         std::replace(newfile.begin(),newfile.end(),'\\','/');
1724         std::replace(confpath.begin(),confpath.end(),'\\','/');
1725
1726         if ((newfile[0] != '/') && (newfile.find("://") == std::string::npos))
1727         {
1728                 if((pos = confpath.rfind("/")) != std::string::npos)
1729                 {
1730                         /* Leaves us with just the path */
1731                         newfile = confpath.substr(0, pos) + std::string("/") + newfile;
1732                 }
1733                 else
1734                 {
1735                         errorstream << "Couldn't get config path from: " << ServerInstance->ConfigFileName << std::endl;
1736                         return false;
1737                 }
1738         }
1739
1740         return LoadConf(target, newfile, errorstream, pass, scan_for_includes_only);
1741 }
1742
1743 bool ServerConfig::ConfValue(ConfigDataHash &target, const char* tag, const char* var, int index, char* result, int length, bool allow_linefeeds)
1744 {
1745         return ConfValue(target, tag, var, "", index, result, length, allow_linefeeds);
1746 }
1747
1748 bool ServerConfig::ConfValue(ConfigDataHash &target, const char* tag, const char* var, const char* default_value, int index, char* result, int length, bool allow_linefeeds)
1749 {
1750         std::string value;
1751         bool r = ConfValue(target, std::string(tag), std::string(var), std::string(default_value), index, value, allow_linefeeds);
1752         strlcpy(result, value.c_str(), length);
1753         return r;
1754 }
1755
1756 bool ServerConfig::ConfValue(ConfigDataHash &target, const std::string &tag, const std::string &var, int index, std::string &result, bool allow_linefeeds)
1757 {
1758         return ConfValue(target, tag, var, "", index, result, allow_linefeeds);
1759 }
1760
1761 bool ServerConfig::ConfValue(ConfigDataHash &target, const std::string &tag, const std::string &var, const std::string &default_value, int index, std::string &result, bool allow_linefeeds)
1762 {
1763         ConfigDataHash::size_type pos = index;
1764         if (pos < target.count(tag))
1765         {
1766                 ConfigDataHash::iterator iter = target.find(tag);
1767
1768                 for(int i = 0; i < index; i++)
1769                         iter++;
1770
1771                 for(KeyValList::iterator j = iter->second.begin(); j != iter->second.end(); j++)
1772                 {
1773                         if(j->first == var)
1774                         {
1775                                 if ((!allow_linefeeds) && (j->second.find('\n') != std::string::npos))
1776                                 {
1777                                         ServerInstance->Log(DEFAULT, "Value of <" + tag + ":" + var+ "> contains a linefeed, and linefeeds in this value are not permitted -- stripped to spaces.");
1778                                         for (std::string::iterator n = j->second.begin(); n != j->second.end(); n++)
1779                                                 if (*n == '\n')
1780                                                         *n = ' ';
1781                                 }
1782                                 else
1783                                 {
1784                                         result = j->second;
1785                                         return true;
1786                                 }
1787                         }
1788                 }
1789                 if (!default_value.empty())
1790                 {
1791                         result = default_value;
1792                         return true;
1793                 }
1794         }
1795         else if(pos == 0)
1796         {
1797                 if (!default_value.empty())
1798                 {
1799                         result = default_value;
1800                         return true;
1801                 }
1802         }
1803         return false;
1804 }
1805
1806 bool ServerConfig::ConfValueInteger(ConfigDataHash &target, const char* tag, const char* var, int index, int &result)
1807 {
1808         return ConfValueInteger(target, std::string(tag), std::string(var), "", index, result);
1809 }
1810
1811 bool ServerConfig::ConfValueInteger(ConfigDataHash &target, const char* tag, const char* var, const char* default_value, int index, int &result)
1812 {
1813         return ConfValueInteger(target, std::string(tag), std::string(var), std::string(default_value), index, result);
1814 }
1815
1816 bool ServerConfig::ConfValueInteger(ConfigDataHash &target, const std::string &tag, const std::string &var, int index, int &result)
1817 {
1818         return ConfValueInteger(target, tag, var, "", index, result);
1819 }
1820
1821 bool ServerConfig::ConfValueInteger(ConfigDataHash &target, const std::string &tag, const std::string &var, const std::string &default_value, int index, int &result)
1822 {
1823         std::string value;
1824         std::istringstream stream;
1825         bool r = ConfValue(target, tag, var, default_value, index, value);
1826         stream.str(value);
1827         if(!(stream >> result))
1828                 return false;
1829         else
1830         {
1831                 if (!value.empty())
1832                 {
1833                         if (value.substr(0,2) == "0x")
1834                         {
1835                                 char* endptr;
1836
1837                                 value.erase(0,2);
1838                                 result = strtol(value.c_str(), &endptr, 16);
1839
1840                                 /* No digits found */
1841                                 if (endptr == value.c_str())
1842                                         return false;
1843                         }
1844                         else
1845                         {
1846                                 char denominator = *(value.end() - 1);
1847                                 switch (toupper(denominator))
1848                                 {
1849                                         case 'K':
1850                                                 /* Kilobytes -> bytes */
1851                                                 result = result * 1024;
1852                                         break;
1853                                         case 'M':
1854                                                 /* Megabytes -> bytes */
1855                                                 result = result * 1024 * 1024;
1856                                         break;
1857                                         case 'G':
1858                                                 /* Gigabytes -> bytes */
1859                                                 result = result * 1024 * 1024 * 1024;
1860                                         break;
1861                                 }
1862                         }
1863                 }
1864         }
1865         return r;
1866 }
1867
1868
1869 bool ServerConfig::ConfValueBool(ConfigDataHash &target, const char* tag, const char* var, int index)
1870 {
1871         return ConfValueBool(target, std::string(tag), std::string(var), "", index);
1872 }
1873
1874 bool ServerConfig::ConfValueBool(ConfigDataHash &target, const char* tag, const char* var, const char* default_value, int index)
1875 {
1876         return ConfValueBool(target, std::string(tag), std::string(var), std::string(default_value), index);
1877 }
1878
1879 bool ServerConfig::ConfValueBool(ConfigDataHash &target, const std::string &tag, const std::string &var, int index)
1880 {
1881         return ConfValueBool(target, tag, var, "", index);
1882 }
1883
1884 bool ServerConfig::ConfValueBool(ConfigDataHash &target, const std::string &tag, const std::string &var, const std::string &default_value, int index)
1885 {
1886         std::string result;
1887         if(!ConfValue(target, tag, var, default_value, index, result))
1888                 return false;
1889
1890         return ((result == "yes") || (result == "true") || (result == "1"));
1891 }
1892
1893 int ServerConfig::ConfValueEnum(ConfigDataHash &target, const char* tag)
1894 {
1895         return target.count(tag);
1896 }
1897
1898 int ServerConfig::ConfValueEnum(ConfigDataHash &target, const std::string &tag)
1899 {
1900         return target.count(tag);
1901 }
1902
1903 int ServerConfig::ConfVarEnum(ConfigDataHash &target, const char* tag, int index)
1904 {
1905         return ConfVarEnum(target, std::string(tag), index);
1906 }
1907
1908 int ServerConfig::ConfVarEnum(ConfigDataHash &target, const std::string &tag, int index)
1909 {
1910         ConfigDataHash::size_type pos = index;
1911
1912         if (pos < target.count(tag))
1913         {
1914                 ConfigDataHash::const_iterator iter = target.find(tag);
1915
1916                 for(int i = 0; i < index; i++)
1917                         iter++;
1918
1919                 return iter->second.size();
1920         }
1921
1922         return 0;
1923 }
1924
1925 /** Read the contents of a file located by `fname' into a file_cache pointed at by `F'.
1926  */
1927 bool ServerConfig::ReadFile(file_cache &F, const char* fname)
1928 {
1929         if (!fname || !*fname)
1930                 return false;
1931
1932         FILE* file = NULL;
1933         char linebuf[MAXBUF];
1934
1935         F.clear();
1936
1937         if ((*fname != '/') && (*fname != '\\'))
1938         {
1939                 std::string::size_type pos;
1940                 std::string confpath = ServerInstance->ConfigFileName;
1941                 std::string newfile = fname;
1942
1943                 if ((pos = confpath.rfind("/")) != std::string::npos)
1944                         newfile = confpath.substr(0, pos) + std::string("/") + fname;
1945                 else if ((pos = confpath.rfind("\\")) != std::string::npos)
1946                         newfile = confpath.substr(0, pos) + std::string("\\") + fname;
1947
1948                 if (!FileExists(newfile.c_str()))
1949                         return false;
1950                 file =  fopen(newfile.c_str(), "r");
1951         }
1952         else
1953         {
1954                 if (!FileExists(fname))
1955                         return false;
1956                 file =  fopen(fname, "r");
1957         }
1958
1959         if (file)
1960         {
1961                 while (!feof(file))
1962                 {
1963                         if (fgets(linebuf, sizeof(linebuf), file))
1964                                 linebuf[strlen(linebuf)-1] = 0;
1965                         else
1966                                 *linebuf = 0;
1967
1968                         if (!feof(file))
1969                         {
1970                                 F.push_back(*linebuf ? linebuf : " ");
1971                         }
1972                 }
1973
1974                 fclose(file);
1975         }
1976         else
1977                 return false;
1978
1979         return true;
1980 }
1981
1982 bool ServerConfig::FileExists(const char* file)
1983 {
1984         struct stat sb;
1985         if (stat(file, &sb) == -1)
1986                 return false;
1987
1988         if ((sb.st_mode & S_IFDIR) > 0)
1989                 return false;
1990              
1991         FILE *input;
1992         if ((input = fopen (file, "r")) == NULL)
1993                 return false;
1994         else
1995         {
1996                 fclose(input);
1997                 return true;
1998         }
1999 }
2000
2001 char* ServerConfig::CleanFilename(char* name)
2002 {
2003         char* p = name + strlen(name);
2004         while ((p != name) && (*p != '/') && (*p != '\\')) p--;
2005         return (p != name ? ++p : p);
2006 }
2007
2008
2009 bool ServerConfig::DirValid(const char* dirandfile)
2010 {
2011 #ifdef WINDOWS
2012         return true;
2013 #endif
2014
2015         char work[1024];
2016         char buffer[1024];
2017         char otherdir[1024];
2018         int p;
2019
2020         strlcpy(work, dirandfile, 1024);
2021         p = strlen(work);
2022
2023         // we just want the dir
2024         while (*work)
2025         {
2026                 if (work[p] == '/')
2027                 {
2028                         work[p] = '\0';
2029                         break;
2030                 }
2031
2032                 work[p--] = '\0';
2033         }
2034
2035         // Get the current working directory
2036         if (getcwd(buffer, 1024 ) == NULL )
2037                 return false;
2038
2039         if (chdir(work) == -1)
2040                 return false;
2041
2042         if (getcwd(otherdir, 1024 ) == NULL )
2043                 return false;
2044
2045         if (chdir(buffer) == -1)
2046                 return false;
2047
2048         size_t t = strlen(work);
2049
2050         if (strlen(otherdir) >= t)
2051         {
2052                 otherdir[t] = '\0';
2053                 if (!strcmp(otherdir,work))
2054                 {
2055                         return true;
2056                 }
2057
2058                 return false;
2059         }
2060         else
2061         {
2062                 return false;
2063         }
2064 }
2065
2066 std::string ServerConfig::GetFullProgDir()
2067 {
2068         char buffer[PATH_MAX+1];
2069 #ifdef WINDOWS
2070         /* Windows has specific api calls to get the exe path that never fail.
2071          * For once, windows has something of use, compared to the POSIX code
2072          * for this, this is positively neato.
2073          */
2074         if (GetModuleFileName(NULL, buffer, MAX_PATH))
2075         {
2076                 std::string fullpath = buffer;
2077                 std::string::size_type n = fullpath.rfind("\\inspircd.exe");
2078                 return std::string(fullpath, 0, n);
2079         }
2080 #else
2081         // Get the current working directory
2082         if (getcwd(buffer, PATH_MAX))
2083         {
2084                 std::string remainder = this->argv[0];
2085
2086                 /* Does argv[0] start with /? its a full path, use it */
2087                 if (remainder[0] == '/')
2088                 {
2089                         std::string::size_type n = remainder.rfind("/inspircd");
2090                         return std::string(remainder, 0, n);
2091                 }
2092
2093                 std::string fullpath = std::string(buffer) + "/" + remainder;
2094                 std::string::size_type n = fullpath.rfind("/inspircd");
2095                 return std::string(fullpath, 0, n);
2096         }
2097 #endif
2098         return "/";
2099 }
2100
2101 InspIRCd* ServerConfig::GetInstance()
2102 {
2103         return ServerInstance;
2104 }
2105
2106 std::string ServerConfig::GetSID()
2107 {
2108         return sid;
2109 }
2110
2111 ValueItem::ValueItem(int value)
2112 {
2113         std::stringstream n;
2114         n << value;
2115         v = n.str();
2116 }
2117
2118 ValueItem::ValueItem(bool value)
2119 {
2120         std::stringstream n;
2121         n << value;
2122         v = n.str();
2123 }
2124
2125 ValueItem::ValueItem(char* value)
2126 {
2127         v = value;
2128 }
2129
2130 void ValueItem::Set(char* value)
2131 {
2132         v = value;
2133 }
2134
2135 void ValueItem::Set(const char* value)
2136 {
2137         v = value;
2138 }
2139
2140 void ValueItem::Set(int value)
2141 {
2142         std::stringstream n;
2143         n << value;
2144         v = n.str();
2145 }
2146
2147 int ValueItem::GetInteger()
2148 {
2149         if (v.empty())
2150                 return 0;
2151         return atoi(v.c_str());
2152 }
2153
2154 char* ValueItem::GetString()
2155 {
2156         return (char*)v.c_str();
2157 }
2158
2159 bool ValueItem::GetBool()
2160 {
2161         return (GetInteger() || v == "yes" || v == "true");
2162 }
2163
2164
2165
2166
2167 /*
2168  * XXX should this be in a class? -- w00t
2169  */
2170 bool InitTypes(ServerConfig* conf, const char*)
2171 {
2172         if (conf->opertypes.size())
2173         {
2174                 for (opertype_t::iterator n = conf->opertypes.begin(); n != conf->opertypes.end(); n++)
2175                 {
2176                         if (n->second)
2177                                 delete[] n->second;
2178                 }
2179         }
2180
2181         conf->opertypes.clear();
2182         return true;
2183 }
2184
2185 /*
2186  * XXX should this be in a class? -- w00t
2187  */
2188 bool InitClasses(ServerConfig* conf, const char*)
2189 {
2190         if (conf->operclass.size())
2191         {
2192                 for (operclass_t::iterator n = conf->operclass.begin(); n != conf->operclass.end(); n++)
2193                 {
2194                         if (n->second)
2195                                 delete[] n->second;
2196                 }
2197         }
2198
2199         conf->operclass.clear();
2200         return true;
2201 }
2202
2203 /*
2204  * XXX should this be in a class? -- w00t
2205  */
2206 bool DoType(ServerConfig* conf, const char*, char**, ValueList &values, int*)
2207 {
2208         const char* TypeName = values[0].GetString();
2209         const char* Classes = values[1].GetString();
2210
2211         conf->opertypes[TypeName] = strnewdup(Classes);
2212         return true;
2213 }
2214
2215 /*
2216  * XXX should this be in a class? -- w00t
2217  */
2218 bool DoClass(ServerConfig* conf, const char*, char**, ValueList &values, int*)
2219 {
2220         const char* ClassName = values[0].GetString();
2221         const char* CommandList = values[1].GetString();
2222
2223         conf->operclass[ClassName] = strnewdup(CommandList);
2224         return true;
2225 }
2226
2227 /*
2228  * XXX should this be in a class? -- w00t
2229  */
2230 bool DoneClassesAndTypes(ServerConfig*, const char*)
2231 {
2232         return true;
2233 }
2234
2235
2236
2237 bool InitXLine(ServerConfig* conf, const char* tag)
2238 {
2239         return true;
2240 }
2241
2242 bool DoZLine(ServerConfig* conf, const char* tag, char** entries, ValueList &values, int* types)
2243 {
2244         const char* reason = values[0].GetString();
2245         const char* ipmask = values[1].GetString();
2246
2247         ZLine* zl = new ZLine(conf->GetInstance(), conf->GetInstance()->Time(), 0, "<Config>", reason, ipmask);
2248         if (!conf->GetInstance()->XLines->AddLine(zl, NULL))
2249                 delete zl;
2250
2251         return true;
2252 }
2253
2254 bool DoQLine(ServerConfig* conf, const char* tag, char** entries, ValueList &values, int* types)
2255 {
2256         const char* reason = values[0].GetString();
2257         const char* nick = values[1].GetString();
2258
2259         QLine* ql = new QLine(conf->GetInstance(), conf->GetInstance()->Time(), 0, "<Config>", reason, nick);
2260         if (!conf->GetInstance()->XLines->AddLine(ql, NULL))
2261                 delete ql;
2262
2263         return true;
2264 }
2265
2266 bool DoKLine(ServerConfig* conf, const char* tag, char** entries, ValueList &values, int* types)
2267 {
2268         const char* reason = values[0].GetString();
2269         const char* host = values[1].GetString();
2270
2271         XLineManager* xlm = conf->GetInstance()->XLines;
2272
2273         IdentHostPair ih = xlm->IdentSplit(host);
2274
2275         KLine* kl = new KLine(conf->GetInstance(), conf->GetInstance()->Time(), 0, "<Config>", reason, ih.first.c_str(), ih.second.c_str());
2276         if (!xlm->AddLine(kl, NULL))
2277                 delete kl;
2278         return true;
2279 }
2280
2281 bool DoELine(ServerConfig* conf, const char* tag, char** entries, ValueList &values, int* types)
2282 {
2283         const char* reason = values[0].GetString();
2284         const char* host = values[1].GetString();
2285
2286         XLineManager* xlm = conf->GetInstance()->XLines;
2287
2288         IdentHostPair ih = xlm->IdentSplit(host);
2289
2290         ELine* el = new ELine(conf->GetInstance(), conf->GetInstance()->Time(), 0, "<Config>", reason, ih.first.c_str(), ih.second.c_str());
2291         if (!xlm->AddLine(el, NULL))
2292                 delete el;
2293         return true;
2294 }
2295
2296 // this should probably be moved to configreader, but atm it relies on CheckELines above.
2297 bool DoneELine(ServerConfig* conf, const char* tag)
2298 {
2299         for (std::vector<User*>::const_iterator u2 = conf->GetInstance()->local_users.begin(); u2 != conf->GetInstance()->local_users.end(); u2++)
2300         {
2301                 User* u = (User*)(*u2);
2302                 u->exempt = false;
2303         }
2304
2305         conf->GetInstance()->XLines->CheckELines();
2306         return true;
2307 }