]> git.netwichtig.de Git - user/henk/code/inspircd.git/blob - src/inspircd.cpp
Change allocation of InspIRCd::Parser to be physically part of the object containing it
[user/henk/code/inspircd.git] / src / inspircd.cpp
1 /*
2  * InspIRCd -- Internet Relay Chat Daemon
3  *
4  *   Copyright (C) 2012 William Pitcock <nenolod@dereferenced.org>
5  *   Copyright (C) 2009-2010 Daniel De Graaf <danieldg@inspircd.org>
6  *   Copyright (C) 2003-2008 Craig Edwards <craigedwards@brainbox.cc>
7  *   Copyright (C) 2008 Uli Schlachter <psychon@znc.in>
8  *   Copyright (C) 2006-2008 Robin Burchell <robin+git@viroteck.net>
9  *   Copyright (C) 2006-2007 Oliver Lupton <oliverlupton@gmail.com>
10  *   Copyright (C) 2007 Dennis Friis <peavey@inspircd.org>
11  *   Copyright (C) 2007 Burlex <???@???>
12  *   Copyright (C) 2003 Craig McLure <craig@chatspike.net>
13  *   Copyright (C) 2003 randomdan <???@???>
14  *
15  * This file is part of InspIRCd.  InspIRCd is free software: you can
16  * redistribute it and/or modify it under the terms of the GNU General Public
17  * License as published by the Free Software Foundation, version 2.
18  *
19  * This program is distributed in the hope that it will be useful, but WITHOUT
20  * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
21  * FOR A PARTICULAR PURPOSE.  See the GNU General Public License for more
22  * details.
23  *
24  * You should have received a copy of the GNU General Public License
25  * along with this program.  If not, see <http://www.gnu.org/licenses/>.
26  */
27
28
29 #include "inspircd.h"
30 #include <signal.h>
31
32 #ifndef _WIN32
33         #include <dirent.h>
34         #include <unistd.h>
35         #include <sys/resource.h>
36         #include <dlfcn.h>
37         #include <getopt.h>
38
39         /* Some systems don't define RUSAGE_SELF. This should fix them. */
40         #ifndef RUSAGE_SELF
41                 #define RUSAGE_SELF 0
42         #endif
43
44         #include <pwd.h> // setuid
45         #include <grp.h> // setgid
46 #else
47         WORD g_wOriginalColors;
48         WORD g_wBackgroundColor;
49         HANDLE g_hStdout;
50 #endif
51
52 #include <fstream>
53 #include <iostream>
54 #include "xline.h"
55 #include "socketengine.h"
56 #include "socket.h"
57 #include "command_parse.h"
58 #include "exitcodes.h"
59 #include "caller.h"
60 #include "testsuite.h"
61
62 InspIRCd* ServerInstance = NULL;
63
64 /** Seperate from the other casemap tables so that code *can* still exclusively rely on RFC casemapping
65  * if it must.
66  *
67  * This is provided as a pointer so that modules can change it to their custom mapping tables,
68  * e.g. for national character support.
69  */
70 unsigned const char *national_case_insensitive_map = rfc_case_insensitive_map;
71
72
73 /* Moved from exitcodes.h -- due to duplicate symbols -- Burlex
74  * XXX this is a bit ugly. -- w00t
75  */
76 const char* ExitCodes[] =
77 {
78                 "No error",                                                             // 0
79                 "DIE command",                                                  // 1
80                 "Config file error",                                    // 2
81                 "Logfile error",                                                // 3
82                 "POSIX fork failed",                                    // 4
83                 "Bad commandline parameters",                   // 5
84                 "Can't write PID file",                                 // 6
85                 "SocketEngine could not initialize",    // 7
86                 "Refusing to start up as root",                 // 8
87                 "Couldn't load module on startup",              // 9
88                 "Received SIGTERM"                                              // 10
89 };
90
91 #ifdef INSPIRCD_ENABLE_TESTSUITE
92 /** True if we have been told to run the testsuite from the commandline,
93  * rather than entering the mainloop.
94  */
95 static int do_testsuite = 0;
96 #endif
97
98 template<typename T> static void DeleteZero(T*&n)
99 {
100         T* t = n;
101         n = NULL;
102         delete t;
103 }
104
105 void InspIRCd::Cleanup()
106 {
107         // Close all listening sockets
108         for (unsigned int i = 0; i < ports.size(); i++)
109         {
110                 ports[i]->cull();
111                 delete ports[i];
112         }
113         ports.clear();
114
115         /* Close all client sockets, or the new process inherits them */
116         LocalUserList& list = Users->local_users;
117         for (LocalUserList::iterator i = list.begin(); i != list.end(); ++i)
118                 Users->QuitUser(*i, "Server shutdown");
119
120         GlobalCulls.Apply();
121         Modules->UnloadAll();
122
123         /* Delete objects dynamically allocated in constructor (destructor would be more appropriate, but we're likely exiting) */
124         /* Must be deleted before modes as it decrements modelines */
125         if (FakeClient)
126         {
127                 delete FakeClient->server;
128                 FakeClient->cull();
129         }
130         DeleteZero(this->FakeClient);
131         DeleteZero(this->Users);
132         DeleteZero(this->Modes);
133         DeleteZero(this->XLines);
134         DeleteZero(this->Modules);
135         DeleteZero(this->SNO);
136         DeleteZero(this->Config);
137         DeleteZero(this->PI);
138         SocketEngine::Deinit();
139         Logs->CloseLogs();
140         DeleteZero(this->Logs);
141 }
142
143 void InspIRCd::SetSignals()
144 {
145 #ifndef _WIN32
146         signal(SIGALRM, SIG_IGN);
147         signal(SIGHUP, InspIRCd::SetSignal);
148         signal(SIGPIPE, SIG_IGN);
149         signal(SIGCHLD, SIG_IGN);
150         /* We want E2BIG not a signal! */
151         signal(SIGXFSZ, SIG_IGN);
152 #endif
153         signal(SIGTERM, InspIRCd::SetSignal);
154 }
155
156 void InspIRCd::QuickExit(int status)
157 {
158         exit(status);
159 }
160
161 // Required for returning the proper value of EXIT_SUCCESS for the parent process
162 static void VoidSignalHandler(int signalreceived)
163 {
164         exit(0);
165 }
166
167 bool InspIRCd::DaemonSeed()
168 {
169 #ifdef _WIN32
170         std::cout << "InspIRCd Process ID: " << con_green << GetCurrentProcessId() << con_reset << std::endl;
171         return true;
172 #else
173         // Do not use QuickExit here: It will exit with status SIGTERM which would break e.g. daemon scripts
174         signal(SIGTERM, VoidSignalHandler);
175
176         int childpid = fork();
177         if (childpid < 0)
178                 return false;
179         else if (childpid > 0)
180         {
181                 /* We wait here for the child process to kill us,
182                  * so that the shell prompt doesnt come back over
183                  * the output.
184                  * Sending a kill with a signal of 0 just checks
185                  * if the child pid is still around. If theyre not,
186                  * they threw an error and we should give up.
187                  */
188                 while (kill(childpid, 0) != -1)
189                         sleep(1);
190                 exit(0);
191         }
192         setsid ();
193         std::cout << "InspIRCd Process ID: " << con_green << getpid() << con_reset << std::endl;
194
195         signal(SIGTERM, InspIRCd::SetSignal);
196
197         rlimit rl;
198         if (getrlimit(RLIMIT_CORE, &rl) == -1)
199         {
200                 this->Logs->Log("STARTUP", LOG_DEFAULT, "Failed to getrlimit()!");
201                 return false;
202         }
203         rl.rlim_cur = rl.rlim_max;
204
205         if (setrlimit(RLIMIT_CORE, &rl) == -1)
206                         this->Logs->Log("STARTUP", LOG_DEFAULT, "setrlimit() failed, cannot increase coredump size.");
207
208         return true;
209 #endif
210 }
211
212 void InspIRCd::WritePID(const std::string &filename)
213 {
214 #ifndef _WIN32
215         std::string fname(filename);
216         if (fname.empty())
217                 fname = ServerInstance->Config->Paths.PrependData("inspircd.pid");
218         std::ofstream outfile(fname.c_str());
219         if (outfile.is_open())
220         {
221                 outfile << getpid();
222                 outfile.close();
223         }
224         else
225         {
226                 std::cout << "Failed to write PID-file '" << fname << "', exiting." << std::endl;
227                 this->Logs->Log("STARTUP", LOG_DEFAULT, "Failed to write PID-file '%s', exiting.",fname.c_str());
228                 Exit(EXIT_STATUS_PID);
229         }
230 #endif
231 }
232
233 InspIRCd::InspIRCd(int argc, char** argv) :
234          ConfigFileName(INSPIRCD_CONFIG_PATH "/inspircd.conf"),
235
236          /* Functor pointer initialisation.
237           *
238           * THIS MUST MATCH THE ORDER OF DECLARATION OF THE FUNCTORS, e.g. the methods
239           * themselves within the class.
240           */
241          OperQuit("operquit", NULL),
242          GenRandom(&HandleGenRandom),
243          IsChannel(&HandleIsChannel),
244          IsNick(&HandleIsNick),
245          IsIdent(&HandleIsIdent),
246          OnCheckExemption(&HandleOnCheckExemption)
247 {
248         ServerInstance = this;
249
250         Extensions.Register(&OperQuit);
251
252         FailedPortList pl;
253         // Flag variables passed to getopt_long() later
254         int do_version = 0, do_nofork = 0, do_debug = 0,
255             do_nolog = 0, do_root = 0;
256
257         // Initialize so that if we exit before proper initialization they're not deleted
258         this->Logs = 0;
259         this->PI = 0;
260         this->Users = 0;
261         this->Config = 0;
262         this->SNO = 0;
263         this->Modules = 0;
264         this->XLines = 0;
265         this->Modes = 0;
266         this->ConfigThread = NULL;
267         this->FakeClient = NULL;
268
269         UpdateTime();
270         this->startup_time = TIME.tv_sec;
271
272         // This must be created first, so other parts of Insp can use it while starting up
273         this->Logs = new LogManager;
274
275         SocketEngine::Init();
276
277         /* Default implementation does nothing */
278         this->PI = new ProtocolInterface;
279
280         // Create base manager classes early, so nothing breaks
281         this->Users = new UserManager;
282
283         this->Config = new ServerConfig;
284         this->SNO = new SnomaskManager;
285         this->Modules = new ModuleManager();
286         dynamic_reference_base::reset_all();
287         this->XLines = new XLineManager;
288
289         this->Config->cmdline.argv = argv;
290         this->Config->cmdline.argc = argc;
291
292 #ifdef _WIN32
293         srand(TIME.tv_nsec ^ TIME.tv_sec);
294
295         // Initialize the console values
296         g_hStdout = GetStdHandle(STD_OUTPUT_HANDLE);
297         CONSOLE_SCREEN_BUFFER_INFO bufinf;
298         if(GetConsoleScreenBufferInfo(g_hStdout, &bufinf))
299         {
300                 g_wOriginalColors = bufinf.wAttributes & 0x00FF;
301                 g_wBackgroundColor = bufinf.wAttributes & 0x00F0;
302         }
303         else
304         {
305                 g_wOriginalColors = FOREGROUND_RED|FOREGROUND_BLUE|FOREGROUND_GREEN;
306                 g_wBackgroundColor = 0;
307         }
308 #else
309         srandom(TIME.tv_nsec ^ TIME.tv_sec);
310 #endif
311
312         struct option longopts[] =
313         {
314                 { "nofork",     no_argument,            &do_nofork,     1       },
315                 { "config",     required_argument,      NULL,           'c'     },
316                 { "debug",      no_argument,            &do_debug,      1       },
317                 { "nolog",      no_argument,            &do_nolog,      1       },
318                 { "runasroot",  no_argument,            &do_root,       1       },
319                 { "version",    no_argument,            &do_version,    1       },
320 #ifdef INSPIRCD_ENABLE_TESTSUITE
321                 { "testsuite",  no_argument,            &do_testsuite,  1       },
322 #endif
323                 { 0, 0, 0, 0 }
324         };
325
326         int c;
327         int index;
328         while ((c = getopt_long(argc, argv, ":c:", longopts, &index)) != -1)
329         {
330                 switch (c)
331                 {
332                         case 'c':
333                                 /* Config filename was set */
334                                 ConfigFileName = ServerInstance->Config->Paths.PrependConfig(optarg);
335                         break;
336                         case 0:
337                                 /* getopt_long_only() set an int variable, just keep going */
338                         break;
339                         case '?':
340                                 /* Unknown parameter */
341                         default:
342                                 /* Fall through to handle other weird values too */
343                                 std::cout << "Unknown parameter '" << argv[optind-1] << "'" << std::endl;
344                                 std::cout << "Usage: " << argv[0] << " [--nofork] [--nolog] [--debug] [--config <config>]" << std::endl <<
345                                         std::string(static_cast<int>(8+strlen(argv[0])), ' ') << "[--runasroot] [--version]" << std::endl;
346                                 Exit(EXIT_STATUS_ARGV);
347                         break;
348                 }
349         }
350
351 #ifdef INSPIRCD_ENABLE_TESTSUITE
352         if (do_testsuite)
353                 do_nofork = do_debug = true;
354 #endif
355
356         if (do_version)
357         {
358                 std::cout << std::endl << INSPIRCD_VERSION << " " << INSPIRCD_REVISION << std::endl;
359                 Exit(EXIT_STATUS_NOERROR);
360         }
361
362 #ifdef _WIN32
363         // Set up winsock
364         WSADATA wsadata;
365         WSAStartup(MAKEWORD(2,2), &wsadata);
366 #endif
367
368         /* Set the finished argument values */
369         Config->cmdline.nofork = (do_nofork != 0);
370         Config->cmdline.forcedebug = (do_debug != 0);
371         Config->cmdline.writelog = !do_nolog;
372
373         if (do_debug)
374         {
375                 FileWriter* fw = new FileWriter(stdout);
376                 FileLogStream* fls = new FileLogStream(LOG_RAWIO, fw);
377                 Logs->AddLogTypes("*", fls, true);
378         }
379
380         if (!FileSystem::FileExists(ConfigFileName))
381         {
382 #ifdef _WIN32
383                 /* Windows can (and defaults to) hide file extensions, so let's play a bit nice for windows users. */
384                 std::string txtconf = this->ConfigFileName;
385                 txtconf.append(".txt");
386
387                 if (FileSystem::FileExists(txtconf))
388                 {
389                         ConfigFileName = txtconf;
390                 }
391                 else
392 #endif
393                 {
394                         std::cout << "ERROR: Cannot open config file: " << ConfigFileName << std::endl << "Exiting..." << std::endl;
395                         this->Logs->Log("STARTUP", LOG_DEFAULT, "Unable to open config file %s", ConfigFileName.c_str());
396                         Exit(EXIT_STATUS_CONFIG);
397                 }
398         }
399
400         std::cout << con_green << "Inspire Internet Relay Chat Server" << con_reset << ", compiled on " __DATE__ " at " __TIME__ << std::endl;
401         std::cout << con_green << "(C) InspIRCd Development Team." << con_reset << std::endl << std::endl;
402         std::cout << "Developers:" << std::endl;
403         std::cout << con_green << "\tBrain, FrostyCoolSlug, w00t, Om, Special, peavey" << std::endl;
404         std::cout << "\taquanight, psychon, dz, danieldg, jackmcbarn" << std::endl;
405         std::cout << "\tAttila" << con_reset << std::endl << std::endl;
406         std::cout << "Others:\t\t\t" << con_green << "See /INFO Output" << con_reset << std::endl;
407
408         this->Modes = new ModeParser;
409
410 #ifndef _WIN32
411         if (!do_root)
412                 this->CheckRoot();
413         else
414         {
415                 std::cout << "* WARNING * WARNING * WARNING * WARNING * WARNING *" << std::endl
416                 << "YOU ARE RUNNING INSPIRCD AS ROOT. THIS IS UNSUPPORTED" << std::endl
417                 << "AND IF YOU ARE HACKED, CRACKED, SPINDLED OR MUTILATED" << std::endl
418                 << "OR ANYTHING ELSE UNEXPECTED HAPPENS TO YOU OR YOUR" << std::endl
419                 << "SERVER, THEN IT IS YOUR OWN FAULT. IF YOU DID NOT MEAN" << std::endl
420                 << "TO START INSPIRCD AS ROOT, HIT CTRL+C NOW AND RESTART" << std::endl
421                 << "THE PROGRAM AS A NORMAL USER. YOU HAVE BEEN WARNED!" << std::endl << std::endl
422                 << "InspIRCd starting in 20 seconds, ctrl+c to abort..." << std::endl;
423                 sleep(20);
424         }
425 #endif
426
427         this->SetSignals();
428
429         if (!Config->cmdline.nofork)
430         {
431                 if (!this->DaemonSeed())
432                 {
433                         std::cout << "ERROR: could not go into daemon mode. Shutting down." << std::endl;
434                         Logs->Log("STARTUP", LOG_DEFAULT, "ERROR: could not go into daemon mode. Shutting down.");
435                         Exit(EXIT_STATUS_FORK);
436                 }
437         }
438
439         SocketEngine::RecoverFromFork();
440
441         /* During startup we read the configuration now, not in
442          * a seperate thread
443          */
444         this->Config->Read();
445         this->Config->Apply(NULL, "");
446         Logs->OpenFileLogs();
447         ModeParser::InitBuiltinModes();
448
449         // If we don't have a SID, generate one based on the server name and the server description
450         if (Config->sid.empty())
451                 Config->sid = UIDGenerator::GenerateSID(Config->ServerName, Config->ServerDesc);
452
453         // Initialize the UID generator with our sid
454         this->UIDGen.init(Config->sid);
455
456         // Create the server user for this server
457         this->FakeClient = new FakeUser(Config->sid, Config->ServerName, Config->ServerDesc);
458
459         // This is needed as all new XLines are marked pending until ApplyLines() is called
460         this->XLines->ApplyLines();
461
462         int bounditems = BindPorts(pl);
463
464         std::cout << std::endl;
465
466         this->Modules->LoadAll();
467
468         // Build ISupport as ModuleManager::LoadAll() does not do it
469         this->ISupport.Build();
470         Config->ApplyDisabledCommands(Config->DisabledCommands);
471
472         if (!pl.empty())
473         {
474                 std::cout << std::endl << "WARNING: Not all your client ports could be bound -- " << std::endl << "starting anyway with " << bounditems
475                         << " of " << bounditems + (int)pl.size() << " client ports bound." << std::endl << std::endl;
476                 std::cout << "The following port(s) failed to bind:" << std::endl << std::endl;
477                 int j = 1;
478                 for (FailedPortList::iterator i = pl.begin(); i != pl.end(); i++, j++)
479                 {
480                         std::cout << j << ".\tAddress: " << (i->first.empty() ? "<all>" : i->first) << " \tReason: " << i->second << std::endl;
481                 }
482
483                 std::cout << std::endl << "Hint: Try using a public IP instead of blank or *" << std::endl;
484         }
485
486         std::cout << "InspIRCd is now running as '" << Config->ServerName << "'[" << Config->GetSID() << "] with " << SocketEngine::GetMaxFds() << " max open sockets" << std::endl;
487
488 #ifndef _WIN32
489         if (!Config->cmdline.nofork)
490         {
491                 if (kill(getppid(), SIGTERM) == -1)
492                 {
493                         std::cout << "Error killing parent process: " << strerror(errno) << std::endl;
494                         Logs->Log("STARTUP", LOG_DEFAULT, "Error killing parent process: %s",strerror(errno));
495                 }
496         }
497
498         /* Explicitly shut down stdio's stdin/stdout/stderr.
499          *
500          * The previous logic here was to only do this if stdio was connected to a controlling
501          * terminal.  However, we must do this always to avoid information leaks and other
502          * problems related to stdio.
503          *
504          * The only exception is if we are in debug mode.
505          *
506          *    -- nenolod
507          */
508         if ((!do_nofork) && (!Config->cmdline.forcedebug))
509         {
510                 int fd = open("/dev/null", O_RDWR);
511
512                 fclose(stdin);
513                 fclose(stderr);
514                 fclose(stdout);
515
516                 if (dup2(fd, STDIN_FILENO) < 0)
517                         Logs->Log("STARTUP", LOG_DEFAULT, "Failed to dup /dev/null to stdin.");
518                 if (dup2(fd, STDOUT_FILENO) < 0)
519                         Logs->Log("STARTUP", LOG_DEFAULT, "Failed to dup /dev/null to stdout.");
520                 if (dup2(fd, STDERR_FILENO) < 0)
521                         Logs->Log("STARTUP", LOG_DEFAULT, "Failed to dup /dev/null to stderr.");
522                 close(fd);
523         }
524         else
525         {
526                 Logs->Log("STARTUP", LOG_DEFAULT, "Keeping pseudo-tty open as we are running in the foreground.");
527         }
528 #else
529         /* Set win32 service as running, if we are running as a service */
530         SetServiceRunning();
531
532         // Handle forking
533         if(!do_nofork)
534         {
535                 FreeConsole();
536         }
537
538         QueryPerformanceFrequency(&stats.QPFrequency);
539 #endif
540
541         Logs->Log("STARTUP", LOG_DEFAULT, "Startup complete as '%s'[%s], %d max open sockets", Config->ServerName.c_str(),Config->GetSID().c_str(), SocketEngine::GetMaxFds());
542
543 #ifndef _WIN32
544         std::string SetUser = Config->ConfValue("security")->getString("runasuser");
545         std::string SetGroup = Config->ConfValue("security")->getString("runasgroup");
546         if (!SetGroup.empty())
547         {
548                 int ret;
549
550                 // setgroups
551                 ret = setgroups(0, NULL);
552
553                 if (ret == -1)
554                 {
555                         this->Logs->Log("STARTUP", LOG_DEFAULT, "setgroups() failed (wtf?): %s", strerror(errno));
556                         this->QuickExit(0);
557                 }
558
559                 // setgid
560                 struct group *g;
561
562                 errno = 0;
563                 g = getgrnam(SetGroup.c_str());
564
565                 if (!g)
566                 {
567                         this->Logs->Log("STARTUP", LOG_DEFAULT, "getgrnam(%s) failed (wrong group?): %s", SetGroup.c_str(), strerror(errno));
568                         this->QuickExit(0);
569                 }
570
571                 ret = setgid(g->gr_gid);
572
573                 if (ret == -1)
574                 {
575                         this->Logs->Log("STARTUP", LOG_DEFAULT, "setgid() failed (wrong group?): %s", strerror(errno));
576                         this->QuickExit(0);
577                 }
578         }
579
580         if (!SetUser.empty())
581         {
582                 // setuid
583                 struct passwd *u;
584
585                 errno = 0;
586                 u = getpwnam(SetUser.c_str());
587
588                 if (!u)
589                 {
590                         this->Logs->Log("STARTUP", LOG_DEFAULT, "getpwnam(%s) failed (wrong user?): %s", SetUser.c_str(), strerror(errno));
591                         this->QuickExit(0);
592                 }
593
594                 int ret = setuid(u->pw_uid);
595
596                 if (ret == -1)
597                 {
598                         this->Logs->Log("STARTUP", LOG_DEFAULT, "setuid() failed (wrong user?): %s", strerror(errno));
599                         this->QuickExit(0);
600                 }
601         }
602
603         this->WritePID(Config->PID);
604 #endif
605 }
606
607 void InspIRCd::UpdateTime()
608 {
609 #ifdef _WIN32
610         SYSTEMTIME st;
611         GetSystemTime(&st);
612
613         TIME.tv_sec = time(NULL);
614         TIME.tv_nsec = st.wMilliseconds;
615 #else
616         #ifdef HAS_CLOCK_GETTIME
617                 clock_gettime(CLOCK_REALTIME, &TIME);
618         #else
619                 struct timeval tv;
620                 gettimeofday(&tv, NULL);
621                 TIME.tv_sec = tv.tv_sec;
622                 TIME.tv_nsec = tv.tv_usec * 1000;
623         #endif
624 #endif
625 }
626
627 void InspIRCd::Run()
628 {
629 #ifdef INSPIRCD_ENABLE_TESTSUITE
630         /* See if we're supposed to be running the test suite rather than entering the mainloop */
631         if (do_testsuite)
632         {
633                 TestSuite* ts = new TestSuite;
634                 delete ts;
635                 return;
636         }
637 #endif
638
639         UpdateTime();
640         time_t OLDTIME = TIME.tv_sec;
641
642         while (true)
643         {
644 #ifndef _WIN32
645                 static rusage ru;
646 #endif
647
648                 /* Check if there is a config thread which has finished executing but has not yet been freed */
649                 if (this->ConfigThread && this->ConfigThread->IsDone())
650                 {
651                         /* Rehash has completed */
652                         this->Logs->Log("CONFIG", LOG_DEBUG, "Detected ConfigThread exiting, tidying up...");
653
654                         this->ConfigThread->Finish();
655
656                         ConfigThread->join();
657                         delete ConfigThread;
658                         ConfigThread = NULL;
659                 }
660
661                 UpdateTime();
662
663                 /* Run background module timers every few seconds
664                  * (the docs say modules shouldnt rely on accurate
665                  * timing using this event, so we dont have to
666                  * time this exactly).
667                  */
668                 if (TIME.tv_sec != OLDTIME)
669                 {
670 #ifndef _WIN32
671                         getrusage(RUSAGE_SELF, &ru);
672                         stats.LastSampled = TIME;
673                         stats.LastCPU = ru.ru_utime;
674 #else
675                         if(QueryPerformanceCounter(&stats.LastSampled))
676                         {
677                                 FILETIME CreationTime;
678                                 FILETIME ExitTime;
679                                 FILETIME KernelTime;
680                                 FILETIME UserTime;
681                                 GetProcessTimes(GetCurrentProcess(), &CreationTime, &ExitTime, &KernelTime, &UserTime);
682                                 stats.LastCPU.dwHighDateTime = KernelTime.dwHighDateTime + UserTime.dwHighDateTime;
683                                 stats.LastCPU.dwLowDateTime = KernelTime.dwLowDateTime + UserTime.dwLowDateTime;
684                         }
685 #endif
686
687                         /* Allow a buffer of two seconds drift on this so that ntpdate etc dont harass admins */
688                         if (TIME.tv_sec < OLDTIME - 2)
689                         {
690                                 SNO->WriteToSnoMask('d', "\002EH?!\002 -- Time is flowing BACKWARDS in this dimension! Clock drifted backwards %lu secs.", (unsigned long)OLDTIME-TIME.tv_sec);
691                         }
692                         else if (TIME.tv_sec > OLDTIME + 2)
693                         {
694                                 SNO->WriteToSnoMask('d', "\002EH?!\002 -- Time is jumping FORWARDS! Clock skipped %lu secs.", (unsigned long)TIME.tv_sec - OLDTIME);
695                         }
696
697                         OLDTIME = TIME.tv_sec;
698
699                         if ((TIME.tv_sec % 3600) == 0)
700                         {
701                                 Users->GarbageCollect();
702                                 FOREACH_MOD(OnGarbageCollect, ());
703                         }
704
705                         Timers.TickTimers(TIME.tv_sec);
706                         Users->DoBackgroundUserStuff();
707
708                         if ((TIME.tv_sec % 5) == 0)
709                         {
710                                 FOREACH_MOD(OnBackgroundTimer, (TIME.tv_sec));
711                                 SNO->FlushSnotices();
712                         }
713                 }
714
715                 /* Call the socket engine to wait on the active
716                  * file descriptors. The socket engine has everything's
717                  * descriptors in its list... dns, modules, users,
718                  * servers... so its nice and easy, just one call.
719                  * This will cause any read or write events to be
720                  * dispatched to their handlers.
721                  */
722                 SocketEngine::DispatchTrialWrites();
723                 SocketEngine::DispatchEvents();
724
725                 /* if any users were quit, take them out */
726                 GlobalCulls.Apply();
727                 AtomicActions.Run();
728
729                 if (s_signal)
730                 {
731                         this->SignalHandler(s_signal);
732                         s_signal = 0;
733                 }
734         }
735 }
736
737 sig_atomic_t InspIRCd::s_signal = 0;
738
739 void InspIRCd::SetSignal(int signal)
740 {
741         s_signal = signal;
742 }
743
744 /* On posix systems, the flow of the program starts right here, with
745  * ENTRYPOINT being a #define that defines main(). On Windows, ENTRYPOINT
746  * defines smain() and the real main() is in the service code under
747  * win32service.cpp. This allows the service control manager to control
748  * the process where we are running as a windows service.
749  */
750 ENTRYPOINT
751 {
752         new InspIRCd(argc, argv);
753         ServerInstance->Run();
754         delete ServerInstance;
755         return 0;
756 }