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