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