]> git.netwichtig.de Git - user/henk/code/inspircd.git/blob - include/inspircd.h
m_spanningtree Remove unneeded #includes
[user/henk/code/inspircd.git] / include / inspircd.h
1 /*
2  * InspIRCd -- Internet Relay Chat Daemon
3  *
4  *   Copyright (C) 2009 Daniel De Graaf <danieldg@inspircd.org>
5  *   Copyright (C) 2007-2008 Robin Burchell <robin+git@viroteck.net>
6  *   Copyright (C) 2008 Pippijn van Steenhoven <pip88nl@gmail.com>
7  *   Copyright (C) 2003-2008 Craig Edwards <craigedwards@brainbox.cc>
8  *   Copyright (C) 2006-2007 Oliver Lupton <oliverlupton@gmail.com>
9  *   Copyright (C) 2007 Dennis Friis <peavey@inspircd.org>
10  *   Copyright (C) 2003 randomdan <???@???>
11  *
12  * This file is part of InspIRCd.  InspIRCd is free software: you can
13  * redistribute it and/or modify it under the terms of the GNU General Public
14  * License as published by the Free Software Foundation, version 2.
15  *
16  * This program is distributed in the hope that it will be useful, but WITHOUT
17  * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
18  * FOR A PARTICULAR PURPOSE.  See the GNU General Public License for more
19  * details.
20  *
21  * You should have received a copy of the GNU General Public License
22  * along with this program.  If not, see <http://www.gnu.org/licenses/>.
23  */
24
25
26 #pragma once
27
28 #define _FILE_OFFSET_BITS 64
29 #ifndef _LARGEFILE_SOURCE
30 #define _LARGEFILE_SOURCE
31 #endif
32
33 #ifndef _WIN32
34 #define DllExport
35 #define CoreExport
36 #else
37 #include "inspircd_win32wrapper.h"
38 /** Windows defines these already */
39 #undef ERROR
40 #endif
41
42 #ifdef __GNUC__
43 #define CUSTOM_PRINTF(STRING, FIRST) __attribute__((format(printf, STRING, FIRST)))
44 #else
45 #define CUSTOM_PRINTF(STRING, FIRST)
46 #endif
47
48 #if defined __clang__ || defined __GNUC__
49 # define DEPRECATED_METHOD(function) function __attribute__((deprecated))
50 #elif defined _MSC_VER
51 # define DEPRECATED_METHOD(function) __declspec(deprecated) function
52 #else
53 # pragma message ("Warning! DEPRECATED_METHOD() does not work on your compiler!")
54 # define DEPRECATED_METHOD(function) function
55 #endif
56
57 // Required system headers.
58 #include <ctime>
59 #include <cstdarg>
60 #include <algorithm>
61 #include <cmath>
62 #include <cstring>
63 #include <climits>
64 #include <cstdio>
65 #ifndef _WIN32
66 #include <unistd.h>
67 #endif
68
69 #ifdef _WIN32
70 # include <unordered_map>
71 #else
72 # include <tr1/unordered_map>
73 #endif
74 #include <sstream>
75 #include <string>
76 #include <vector>
77 #include <list>
78 #include <deque>
79 #include <map>
80 #include <bitset>
81 #include <set>
82 #include <time.h>
83 #include "config.h"
84 #include "typedefs.h"
85 #include "consolecolors.h"
86
87 CoreExport extern InspIRCd* ServerInstance;
88
89 #include "caller.h"
90 #include "cull_list.h"
91 #include "extensible.h"
92 #include "numerics.h"
93 #include "uid.h"
94 #include "users.h"
95 #include "channels.h"
96 #include "timer.h"
97 #include "hashcomp.h"
98 #include "logger.h"
99 #include "usermanager.h"
100 #include "socket.h"
101 #include "ctables.h"
102 #include "command_parse.h"
103 #include "mode.h"
104 #include "socketengine.h"
105 #include "snomasks.h"
106 #include "filelogger.h"
107 #include "modules.h"
108 #include "threadengine.h"
109 #include "configreader.h"
110 #include "inspstring.h"
111 #include "protocol.h"
112
113 #ifndef PATH_MAX
114 #warning Potentially broken system, PATH_MAX undefined
115 #define PATH_MAX 4096
116 #endif
117
118 /**
119  * Used to define the maximum number of parameters a command may have.
120  */
121 #define MAXPARAMETERS 127
122
123 /** Returned by some functions to indicate failure.
124  */
125 #define ERROR -1
126
127 /** Template function to convert any input type to std::string
128  */
129 template<typename T> inline std::string ConvNumeric(const T &in)
130 {
131         if (in == 0) return "0";
132         char res[MAXBUF];
133         char* out = res;
134         T quotient = in;
135         while (quotient) {
136                 *out = "0123456789"[ std::abs( (long)quotient % 10 ) ];
137                 ++out;
138                 quotient /= 10;
139         }
140         if (in < 0)
141                 *out++ = '-';
142         *out = 0;
143         std::reverse(res,out);
144         return res;
145 }
146
147 /** Template function to convert any input type to std::string
148  */
149 inline std::string ConvToStr(const int in)
150 {
151         return ConvNumeric(in);
152 }
153
154 /** Template function to convert any input type to std::string
155  */
156 inline std::string ConvToStr(const long in)
157 {
158         return ConvNumeric(in);
159 }
160
161 /** Template function to convert any input type to std::string
162  */
163 inline std::string ConvToStr(const char* in)
164 {
165         return in;
166 }
167
168 /** Template function to convert any input type to std::string
169  */
170 inline std::string ConvToStr(const bool in)
171 {
172         return (in ? "1" : "0");
173 }
174
175 /** Template function to convert any input type to std::string
176  */
177 inline std::string ConvToStr(char in)
178 {
179         return std::string(in,1);
180 }
181
182 /** Template function to convert any input type to std::string
183  */
184 template <class T> inline std::string ConvToStr(const T &in)
185 {
186         std::stringstream tmp;
187         if (!(tmp << in)) return std::string();
188         return tmp.str();
189 }
190
191 /** Template function to convert any input type to any other type
192  * (usually an integer or numeric type)
193  */
194 template<typename T> inline long ConvToInt(const T &in)
195 {
196         std::stringstream tmp;
197         if (!(tmp << in)) return 0;
198         return atol(tmp.str().c_str());
199 }
200
201 /** This class contains various STATS counters
202  * It is used by the InspIRCd class, which internally
203  * has an instance of it.
204  */
205 class serverstats
206 {
207   public:
208         /** Number of accepted connections
209          */
210         unsigned long statsAccept;
211         /** Number of failed accepts
212          */
213         unsigned long statsRefused;
214         /** Number of unknown commands seen
215          */
216         unsigned long statsUnknown;
217         /** Number of nickname collisions handled
218          */
219         unsigned long statsCollisions;
220         /** Number of DNS queries sent out
221          */
222         unsigned long statsDns;
223         /** Number of good DNS replies received
224          * NOTE: This may not tally to the number sent out,
225          * due to timeouts and other latency issues.
226          */
227         unsigned long statsDnsGood;
228         /** Number of bad (negative) DNS replies received
229          * NOTE: This may not tally to the number sent out,
230          * due to timeouts and other latency issues.
231          */
232         unsigned long statsDnsBad;
233         /** Number of inbound connections seen
234          */
235         unsigned long statsConnects;
236         /** Total bytes of data transmitted
237          */
238         unsigned long statsSent;
239         /** Total bytes of data received
240          */
241         unsigned long statsRecv;
242 #ifdef _WIN32
243         /** Cpu usage at last sample
244         */
245         FILETIME LastCPU;
246         /** Time QP sample was read
247         */
248         LARGE_INTEGER LastSampled;
249         /** QP frequency
250         */
251         LARGE_INTEGER QPFrequency;
252 #else
253         /** Cpu usage at last sample
254          */
255         timeval LastCPU;
256         /** Time last sample was read
257          */
258         timespec LastSampled;
259 #endif
260         /** The constructor initializes all the counts to zero
261          */
262         serverstats()
263                 : statsAccept(0), statsRefused(0), statsUnknown(0), statsCollisions(0), statsDns(0),
264                 statsDnsGood(0), statsDnsBad(0), statsConnects(0), statsSent(0), statsRecv(0)
265         {
266         }
267 };
268
269 /** This class manages the generation and transmission of ISUPPORT. */
270 class CoreExport ISupportManager
271 {
272 private:
273         /** The generated lines which are sent to clients. */
274         std::vector<std::string> Lines;
275
276 public:
277         /** (Re)build the ISUPPORT vector. */
278         void Build();
279
280         /** Returns the std::vector of ISUPPORT lines. */
281         const std::vector<std::string>& GetLines()
282         {
283                 return this->Lines;
284         }
285
286         /** Send the 005 numerics (ISUPPORT) to a user. */
287         void SendTo(LocalUser* user);
288 };
289
290 DEFINE_HANDLER2(IsNickHandler, bool, const std::string&, size_t);
291 DEFINE_HANDLER2(GenRandomHandler, void, char*, size_t);
292 DEFINE_HANDLER1(IsIdentHandler, bool, const std::string&);
293 DEFINE_HANDLER2(IsChannelHandler, bool, const std::string&, size_t);
294 DEFINE_HANDLER1(RehashHandler, void, const std::string&);
295 DEFINE_HANDLER3(OnCheckExemptionHandler, ModResult, User*, Channel*, const std::string&);
296
297 class TestSuite;
298
299 /** The main class of the irc server.
300  * This class contains instances of all the other classes in this software.
301  * Amongst other things, it contains a ModeParser, a DNS object, a CommandParser
302  * object, and a list of active Module objects, and facilities for Module
303  * objects to interact with the core system it implements.
304  */
305 class CoreExport InspIRCd
306 {
307  private:
308         /** Holds the current UID. Used to generate the next one.
309          */
310         char current_uid[UUID_LENGTH];
311
312         /** Set up the signal handlers
313          */
314         void SetSignals();
315
316         /** Daemonize the ircd and close standard input/output streams
317          * @return True if the program daemonized succesfully
318          */
319         bool DaemonSeed();
320
321         /** Iterate the list of BufferedSocket objects, removing ones which have timed out
322          * @param TIME the current time
323          */
324         void DoSocketTimeouts(time_t TIME);
325
326         /** Increments the current UID by one.
327          */
328         void IncrementUID(int pos);
329
330         /** Perform background user events such as PING checks
331          */
332         void DoBackgroundUserStuff();
333
334         /** Returns true when all modules have done pre-registration checks on a user
335          * @param user The user to verify
336          * @return True if all modules have finished checking this user
337          */
338         bool AllModulesReportReady(LocalUser* user);
339
340         /** The current time, updated in the mainloop
341          */
342         struct timespec TIME;
343
344         /** A 64k buffer used to read socket data into
345          * NOTE: update ValidateNetBufferSize if you change this
346          */
347         char ReadBuffer[65535];
348
349  public:
350
351         /** Global cull list, will be processed on next iteration
352          */
353         CullList GlobalCulls;
354         /** Actions that must happen outside of the current call stack */
355         ActionList AtomicActions;
356
357         /**** Functors ****/
358
359         IsNickHandler HandleIsNick;
360         IsIdentHandler HandleIsIdent;
361         OnCheckExemptionHandler HandleOnCheckExemption;
362         IsChannelHandler HandleIsChannel;
363         RehashHandler HandleRehash;
364         GenRandomHandler HandleGenRandom;
365
366         /** Globally accessible fake user record. This is used to force mode changes etc across s2s, etc.. bit ugly, but.. better than how this was done in 1.1
367          * Reason for it:
368          * kludge alert!
369          * SendMode expects a User* to send the numeric replies
370          * back to, so we create it a fake user that isnt in the user
371          * hash and set its descriptor to FD_MAGIC_NUMBER so the data
372          * falls into the abyss :p
373          */
374         FakeUser* FakeClient;
375
376         /** Returns the next available UID for this server.
377          */
378         std::string GetUID();
379
380         static const char LogHeader[];
381
382         /** Find a user in the UUID hash
383          * @param uid The UUID to find
384          * @return A pointer to the user, or NULL if the user does not exist
385          */
386         User* FindUUID(const std::string &uid);
387
388         /** Find a user in the UUID hash
389          * @param uid The UUID to find
390          * @return A pointer to the user, or NULL if the user does not exist
391          */
392         User* FindUUID(const char *uid);
393
394         /** Time this ircd was booted
395          */
396         time_t startup_time;
397
398         /** Config file pathname specified on the commandline or via ./configure
399          */
400         std::string ConfigFileName;
401
402         ExtensionManager Extensions;
403
404         /** Mode handler, handles mode setting and removal
405          */
406         ModeParser* Modes;
407
408         /** Command parser, handles client to server commands
409          */
410         CommandParser* Parser;
411
412         /** Socket engine, handles socket activity events
413          */
414         SocketEngine* SE;
415
416         /** Thread engine, Handles threading where required
417          */
418         ThreadEngine* Threads;
419
420         /** The thread/class used to read config files in REHASH and on startup
421          */
422         ConfigReaderThread* ConfigThread;
423
424         /** LogManager handles logging.
425          */
426         LogManager *Logs;
427
428         /** ModuleManager contains everything related to loading/unloading
429          * modules.
430          */
431         ModuleManager* Modules;
432
433         /** BanCacheManager is used to speed up checking of restrictions on connection
434          * to the IRCd.
435          */
436         BanCacheManager *BanCache;
437
438         /** Stats class, holds miscellaneous stats counters
439          */
440         serverstats* stats;
441
442         /**  Server Config class, holds configuration file data
443          */
444         ServerConfig* Config;
445
446         /** Snomask manager - handles routing of snomask messages
447          * to opers.
448          */
449         SnomaskManager* SNO;
450
451         /** DNS class, provides resolver facilities to the core and modules
452          */
453         DNS* Res;
454
455         /** Timer manager class, triggers Timer timer events
456          */
457         TimerManager* Timers;
458
459         /** X-Line manager. Handles G/K/Q/E line setting, removal and matching
460          */
461         XLineManager* XLines;
462
463         /** User manager. Various methods and data associated with users.
464          */
465         UserManager *Users;
466
467         /** Channel list, a hash_map containing all channels XXX move to channel manager class
468          */
469         chan_hash* chanlist;
470
471         /** List of the open ports
472          */
473         std::vector<ListenSocket*> ports;
474
475         /** Set to the current signal recieved
476          */
477         int s_signal;
478
479         /** Protocol interface, overridden by server protocol modules
480          */
481         ProtocolInterface* PI;
482
483         /** Holds extensible for user nickforced
484          */
485         LocalIntExt NICKForced;
486
487         /** Holds extensible for user operquit
488          */
489         LocalStringExt OperQuit;
490
491         /** Manages the generation and transmission of ISUPPORT. */
492         ISupportManager ISupport;
493
494         /** Get the current time
495          * Because this only calls time() once every time around the mainloop,
496          * it is much faster than calling time() directly.
497          * @return The current time as an epoch value (time_t)
498          */
499         inline time_t Time() { return TIME.tv_sec; }
500         /** The fractional time at the start of this mainloop iteration (nanoseconds) */
501         inline long Time_ns() { return TIME.tv_nsec; }
502         /** Update the current time. Don't call this unless you have reason to do so. */
503         void UpdateTime();
504
505         /** Generate a random string with the given length
506          * @param length The length in bytes
507          * @param printable if false, the string will use characters 0-255; otherwise,
508          * it will be limited to 0x30-0x7E ('0'-'~', nonspace printable characters)
509          */
510         std::string GenRandomStr(int length, bool printable = true);
511         /** Generate a random integer.
512          * This is generally more secure than rand()
513          */
514         unsigned long GenRandomInt(unsigned long max);
515
516         /** Fill a buffer with random bits */
517         caller2<void, char*, size_t> GenRandom;
518
519         /** Bind all ports specified in the configuration file.
520          * @return The number of ports bound without error
521          */
522         int BindPorts(FailedPortList &failed_ports);
523
524         /** Binds a socket on an already open file descriptor
525          * @param sockfd A valid file descriptor of an open socket
526          * @param port The port number to bind to
527          * @param addr The address to bind to (IP only)
528          * @param dolisten Should this port be listened on?
529          * @return True if the port was bound successfully
530          */
531         bool BindSocket(int sockfd, int port, const char* addr, bool dolisten = true);
532
533         /** Gets the GECOS (description) field of the given server.
534          * If the servername is not that of the local server, the name
535          * is passed to handling modules which will attempt to determine
536          * the GECOS that bleongs to the given servername.
537          * @param servername The servername to find the description of
538          * @return The description of this server, or of the local server
539          */
540         std::string GetServerDescription(const std::string& servername);
541
542         /** Find a user in the nick hash.
543          * If the user cant be found in the nick hash check the uuid hash
544          * @param nick The nickname to find
545          * @return A pointer to the user, or NULL if the user does not exist
546          */
547         User* FindNick(const std::string &nick);
548
549         /** Find a user in the nick hash.
550          * If the user cant be found in the nick hash check the uuid hash
551          * @param nick The nickname to find
552          * @return A pointer to the user, or NULL if the user does not exist
553          */
554         User* FindNick(const char* nick);
555
556         /** Find a user in the nick hash ONLY
557          */
558         User* FindNickOnly(const char* nick);
559
560         /** Find a user in the nick hash ONLY
561          */
562         User* FindNickOnly(const std::string &nick);
563
564         /** Find a channel in the channels hash
565          * @param chan The channel to find
566          * @return A pointer to the channel, or NULL if the channel does not exist
567          */
568         Channel* FindChan(const std::string &chan);
569
570         /** Find a channel in the channels hash
571          * @param chan The channel to find
572          * @return A pointer to the channel, or NULL if the channel does not exist
573          */
574         Channel* FindChan(const char* chan);
575
576         /** Check we aren't running as root, and exit if we are
577          * @return Depending on the configuration, this function may never return
578          */
579         void CheckRoot();
580
581         /** Determine the right path for, and open, the logfile
582          * @param argv The argv passed to main() initially, used to calculate program path
583          * @param argc The argc passed to main() initially, used to calculate program path
584          * @return True if the log could be opened, false if otherwise
585          */
586         bool OpenLog(char** argv, int argc);
587
588         /** Return true if a channel name is valid
589          * @param chname A channel name to verify
590          * @return True if the name is valid
591          */
592         caller2<bool, const std::string&, size_t> IsChannel;
593
594         /** Return true if str looks like a server ID
595          * @param string to check against
596          */
597         static bool IsSID(const std::string& sid);
598
599         /** Rehash the local server
600          */
601         caller1<void, const std::string&> Rehash;
602
603         /** Handles incoming signals after being set
604          * @param signal the signal recieved
605          */
606         void SignalHandler(int signal);
607
608         /** Sets the signal recieved
609          * @param signal the signal recieved
610          */
611         static void SetSignal(int signal);
612
613         /** Causes the server to exit after unloading modules and
614          * closing all open file descriptors.
615          *
616          * @param status The exit code to give to the operating system
617          * (See the ExitStatus enum for valid values)
618          */
619         void Exit(int status);
620
621         /** Causes the server to exit immediately with exit code 0.
622          * The status code is required for signal handlers, and ignored.
623          */
624         static void QuickExit(int status);
625
626         /** Return a count of channels on the network
627          * @return The number of channels
628          */
629         long ChannelCount();
630
631         /** Send an error notice to all local users, opered and unopered
632          * @param s The error string to send
633          */
634         void SendError(const std::string &s);
635
636         /** Return true if a nickname is valid
637          * @param n A nickname to verify
638          * @return True if the nick is valid
639          */
640         caller2<bool, const std::string&, size_t> IsNick;
641
642         /** Return true if an ident is valid
643          * @param An ident to verify
644          * @return True if the ident is valid
645          */
646         caller1<bool, const std::string&> IsIdent;
647
648         /** Add a dns Resolver class to this server's active set
649          * @param r The resolver to add
650          * @param cached If this value is true, then the cache will
651          * be searched for the DNS result, immediately. If the value is
652          * false, then a request will be sent to the nameserver, and the
653          * result will not be immediately available. You should usually
654          * use the boolean value which you passed to the Resolver
655          * constructor, which Resolver will set appropriately depending
656          * on if cached results are available and haven't expired. It is
657          * however safe to force this value to false, forcing a remote DNS
658          * lookup, but not an update of the cache.
659          * @return True if the operation completed successfully. Note that
660          * if this method returns true, you should not attempt to access
661          * the resolver class you pass it after this call, as depending upon
662          * the request given, the object may be deleted!
663          */
664         bool AddResolver(Resolver* r, bool cached);
665
666         /** Add a command to this server's command parser
667          * @param f A Command command handler object to add
668          * @throw ModuleException Will throw ModuleExcption if the command already exists
669          */
670         inline void AddCommand(Command *f)
671         {
672                 Modules->AddService(*f);
673         }
674
675         /** Send a modechange.
676          * The parameters provided are identical to that sent to the
677          * handler for class cmd_mode.
678          * @param parameters The mode parameters
679          * @param user The user to send error messages to
680          */
681         void SendMode(const std::vector<std::string>& parameters, User *user);
682
683         /** Send a modechange and route it to the network.
684          * The parameters provided are identical to that sent to the
685          * handler for class cmd_mode.
686          * @param parameters The mode parameters
687          * @param user The user to send error messages to
688          */
689         void SendGlobalMode(const std::vector<std::string>& parameters, User *user);
690
691         /** Match two strings using pattern matching, optionally, with a map
692          * to check case against (may be NULL). If map is null, match will be case insensitive.
693          * @param str The literal string to match against
694          * @param mask The glob pattern to match against.
695          * @param map The character map to use when matching.
696          */
697         static bool Match(const std::string &str, const std::string &mask, unsigned const char *map = NULL);
698         static bool Match(const  char *str, const char *mask, unsigned const char *map = NULL);
699
700         /** Match two strings using pattern matching, optionally, with a map
701          * to check case against (may be NULL). If map is null, match will be case insensitive.
702          * Supports CIDR patterns as well as globs.
703          * @param str The literal string to match against
704          * @param mask The glob or CIDR pattern to match against.
705          * @param map The character map to use when matching.
706          */
707         static bool MatchCIDR(const std::string &str, const std::string &mask, unsigned const char *map = NULL);
708         static bool MatchCIDR(const  char *str, const char *mask, unsigned const char *map = NULL);
709
710         /** Return true if the given parameter is a valid nick!user\@host mask
711          * @param mask A nick!user\@host masak to match against
712          * @return True i the mask is valid
713          */
714         bool IsValidMask(const std::string &mask);
715
716         /** Strips all color codes from the given string
717          * @param sentence The string to strip from
718          */
719         static void StripColor(std::string &sentence);
720
721         /** Parses color codes from string values to actual color codes
722          * @param input The data to process
723          */
724         static void ProcessColors(file_cache& input);
725
726         /** Rehash the local server
727          */
728         void RehashServer();
729
730         /** Check if the given nickmask matches too many users, send errors to the given user
731          * @param nick A nickmask to match against
732          * @param user A user to send error text to
733          * @return True if the nick matches too many users
734          */
735         bool NickMatchesEveryone(const std::string &nick, User* user);
736
737         /** Check if the given IP mask matches too many users, send errors to the given user
738          * @param ip An ipmask to match against
739          * @param user A user to send error text to
740          * @return True if the ip matches too many users
741          */
742         bool IPMatchesEveryone(const std::string &ip, User* user);
743
744         /** Check if the given hostmask matches too many users, send errors to the given user
745          * @param mask A hostmask to match against
746          * @param user A user to send error text to
747          * @return True if the host matches too many users
748          */
749         bool HostMatchesEveryone(const std::string &mask, User* user);
750
751         /** Calculate a duration in seconds from a string in the form 1y2w3d4h6m5s
752          * @param str A string containing a time in the form 1y2w3d4h6m5s
753          * (one year, two weeks, three days, four hours, six minutes and five seconds)
754          * @return The total number of seconds
755          */
756         static unsigned long Duration(const std::string& str);
757
758         /** Attempt to compare a password to a string from the config file.
759          * This will be passed to handling modules which will compare the data
760          * against possible hashed equivalents in the input string.
761          * @param ex The object (user, server, whatever) causing the comparison.
762          * @param data The data from the config file
763          * @param input The data input by the oper
764          * @param hashtype The hash from the config file
765          * @return 0 if the strings match, 1 or -1 if they do not
766          */
767         int PassCompare(Extensible* ex, const std::string &data, const std::string &input, const std::string &hashtype);
768
769         /** Check if a given server is a uline.
770          * An empty string returns true, this is by design.
771          * @param server The server to check for uline status
772          * @return True if the server is a uline OR the string is empty
773          */
774         bool ULine(const std::string& server);
775
776         /** Returns true if the uline is 'silent' (doesnt generate
777          * remote connect notices etc).
778          */
779         bool SilentULine(const std::string& server);
780
781         /** Returns the full version string of this ircd
782          * @return The version string
783          */
784         std::string GetVersionString(bool rawversion = false);
785
786         /** Attempt to write the process id to a given file
787          * @param filename The PID file to attempt to write to
788          * @return This function may bail if the file cannot be written
789          */
790         void WritePID(const std::string &filename);
791
792         /** This constructor initialises all the subsystems and reads the config file.
793          * @param argc The argument count passed to main()
794          * @param argv The argument list passed to main()
795          * @throw <anything> If anything is thrown from here and makes it to
796          * you, you should probably just give up and go home. Yes, really.
797          * It's that bad. Higher level classes should catch any non-fatal exceptions.
798          */
799         InspIRCd(int argc, char** argv);
800
801         /** Send a line of WHOIS data to a user.
802          * @param user user to send the line to
803          * @param dest user being WHOISed
804          * @param numeric Numeric to send
805          * @param text Text of the numeric
806          */
807         void SendWhoisLine(User* user, User* dest, int numeric, const std::string &text);
808
809         /** Send a line of WHOIS data to a user.
810          * @param user user to send the line to
811          * @param dest user being WHOISed
812          * @param numeric Numeric to send
813          * @param format Format string for the numeric
814          * @param ... Parameters for the format string
815          */
816         void SendWhoisLine(User* user, User* dest, int numeric, const char* format, ...) CUSTOM_PRINTF(5, 6);
817
818         /** Called to check whether a channel restriction mode applies to a user
819          * @param User that is attempting some action
820          * @param Channel that the action is being performed on
821          * @param Action name
822          */
823         caller3<ModResult, User*, Channel*, const std::string&> OnCheckExemption;
824
825         /** Restart the server.
826          * This function will not return. If an error occurs,
827          * it will throw an instance of CoreException.
828          * @param reason The restart reason to show to all clients
829          * @throw CoreException An instance of CoreException indicating the error from execv().
830          */
831         void Restart(const std::string &reason);
832
833         /** Prepare the ircd for restart or shutdown.
834          * This function unloads all modules which can be unloaded,
835          * closes all open sockets, and closes the logfile.
836          */
837         void Cleanup();
838
839         /** Return a time_t as a human-readable string.
840          */
841         std::string TimeString(time_t curtime);
842
843         /** Begin execution of the server.
844          * NOTE: this function NEVER returns. Internally,
845          * it will repeatedly loop.
846          * @return The return value for this function is undefined.
847          */
848         int Run();
849
850         char* GetReadBuffer()
851         {
852                 return this->ReadBuffer;
853         }
854
855         friend class TestSuite;
856 };
857
858 ENTRYPOINT;
859
860 template<class Cmd>
861 class CommandModule : public Module
862 {
863         Cmd cmd;
864  public:
865         CommandModule() : cmd(this)
866         {
867         }
868
869         void init()
870         {
871                 ServerInstance->Modules->AddService(cmd);
872         }
873
874         Version GetVersion()
875         {
876                 return Version(cmd.name, VF_VENDOR|VF_CORE);
877         }
878 };