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