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