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