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