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