]> git.netwichtig.de Git - user/henk/code/inspircd.git/blob - src/modules/extra/m_mysql.cpp
63ed7d54038ab6e23d8aa0bafef783d1ccffb083
[user/henk/code/inspircd.git] / src / modules / extra / m_mysql.cpp
1 /*       +------------------------------------+
2  *       | Inspire Internet Relay Chat Daemon |
3  *       +------------------------------------+
4  *
5  *  InspIRCd: (C) 2002-2007 InspIRCd Development Team
6  * See: http://www.inspircd.org/wiki/index.php/Credits
7  *
8  * This program is free but copyrighted software; see
9  *            the file COPYING for details.
10  *
11  * ---------------------------------------------------
12  */
13
14 #include <stdio.h>
15 #include <string>
16 #include <mysql.h>
17 #include <pthread.h>
18 #include "users.h"
19 #include "channels.h"
20 #include "modules.h"
21 #include "inspircd.h"
22 #include "m_sqlv2.h"
23
24 /* VERSION 2 API: With nonblocking (threaded) requests */
25
26 /* $ModDesc: SQL Service Provider module for all other m_sql* modules */
27 /* $CompileFlags: `mysql_config --include` */
28 /* $LinkerFlags: `mysql_config --libs_r` `perl extra/mysql_rpath.pl` */
29 /* $ModDep: m_sqlv2.h */
30
31 /* THE NONBLOCKING MYSQL API!
32  * 
33  * MySQL provides no nonblocking (asyncronous) API of its own, and its developers recommend
34  * that instead, you should thread your program. This is what i've done here to allow for
35  * asyncronous SQL requests via mysql. The way this works is as follows:
36  *
37  * The module spawns a thread via pthreads, and performs its mysql queries in this thread,
38  * using a queue with priorities. There is a mutex on either end which prevents two threads
39  * adjusting the queue at the same time, and crashing the ircd. Every 50 milliseconds, the
40  * worker thread wakes up, and checks if there is a request at the head of its queue.
41  * If there is, it processes this request, blocking the worker thread but leaving the ircd
42  * thread to go about its business as usual. During this period, the ircd thread is able
43  * to insert futher pending requests into the queue.
44  *
45  * Once the processing of a request is complete, it is removed from the incoming queue to
46  * an outgoing queue, and initialized as a 'response'. The worker thread then signals the
47  * ircd thread (via a loopback socket) of the fact a result is available, by sending the
48  * connection ID through the connection.
49  *
50  * The ircd thread then mutexes the queue once more, reads the outbound response off the head
51  * of the queue, and sends it on its way to the original calling module.
52  *
53  * XXX: You might be asking "why doesnt he just send the response from within the worker thread?"
54  * The answer to this is simple. The majority of InspIRCd, and in fact most ircd's are not
55  * threadsafe. This module is designed to be threadsafe and is careful with its use of threads,
56  * however, if we were to call a module's OnRequest even from within a thread which was not the
57  * one the module was originally instantiated upon, there is a chance of all hell breaking loose
58  * if a module is ever put in a re-enterant state (stack corruption could occur, crashes, data
59  * corruption, and worse, so DONT think about it until the day comes when InspIRCd is 100%
60  * gauranteed threadsafe!)
61  *
62  * For a diagram of this system please see http://www.inspircd.org/wiki/Mysql2
63  */
64
65
66 class SQLConnection;
67 class Notifier;
68
69
70 typedef std::map<std::string, SQLConnection*> ConnMap;
71 bool giveup = false;
72 static Module* SQLModule = NULL;
73 static Notifier* MessagePipe = NULL;
74 int QueueFD = -1;
75
76
77 #if !defined(MYSQL_VERSION_ID) || MYSQL_VERSION_ID<32224
78 #define mysql_field_count mysql_num_fields
79 #endif
80
81 typedef std::deque<SQLresult*> ResultQueue;
82
83 /** Represents a mysql query queue
84  */
85 class QueryQueue : public classbase
86 {
87 private:
88         typedef std::deque<SQLrequest> ReqDeque;
89
90         ReqDeque priority;      /* The priority queue */
91         ReqDeque normal;        /* The 'normal' queue */
92         enum { PRI, NOR, NON } which;   /* Which queue the currently active element is at the front of */
93
94 public:
95         QueryQueue()
96         : which(NON)
97         {
98         }
99
100         void push(const SQLrequest &q)
101         {
102                 if(q.pri)
103                         priority.push_back(q);
104                 else
105                         normal.push_back(q);
106         }
107
108         void pop()
109         {
110                 if((which == PRI) && priority.size())
111                 {
112                         priority.pop_front();
113                 }
114                 else if((which == NOR) && normal.size())
115                 {
116                         normal.pop_front();
117                 }
118
119                 /* Reset this */
120                 which = NON;
121
122                 /* Silently do nothing if there was no element to pop() */
123         }
124
125         SQLrequest& front()
126         {
127                 switch(which)
128                 {
129                         case PRI:
130                                 return priority.front();
131                         case NOR:
132                                 return normal.front();
133                         default:
134                                 if(priority.size())
135                                 {
136                                         which = PRI;
137                                         return priority.front();
138                                 }
139
140                                 if(normal.size())
141                                 {
142                                         which = NOR;
143                                         return normal.front();
144                                 }
145
146                                 /* This will probably result in a segfault,
147                                  * but the caller should have checked totalsize()
148                                  * first so..meh - moron :p
149                                  */
150
151                                 return priority.front();
152                 }
153         }
154
155         std::pair<int, int> size()
156         {
157                 return std::make_pair(priority.size(), normal.size());
158         }
159
160         int totalsize()
161         {
162                 return priority.size() + normal.size();
163         }
164
165         void PurgeModule(Module* mod)
166         {
167                 DoPurgeModule(mod, priority);
168                 DoPurgeModule(mod, normal);
169         }
170
171 private:
172         void DoPurgeModule(Module* mod, ReqDeque& q)
173         {
174                 for(ReqDeque::iterator iter = q.begin(); iter != q.end(); iter++)
175                 {
176                         if(iter->GetSource() == mod)
177                         {
178                                 if(iter->id == front().id)
179                                 {
180                                         /* It's the currently active query.. :x */
181                                         iter->SetSource(NULL);
182                                 }
183                                 else
184                                 {
185                                         /* It hasn't been executed yet..just remove it */
186                                         iter = q.erase(iter);
187                                 }
188                         }
189                 }
190         }
191 };
192
193 /* A mutex to wrap around queue accesses */
194 pthread_mutex_t queue_mutex = PTHREAD_MUTEX_INITIALIZER;
195
196 pthread_mutex_t results_mutex = PTHREAD_MUTEX_INITIALIZER;
197
198 pthread_mutex_t logging_mutex = PTHREAD_MUTEX_INITIALIZER;
199
200 /** Represents a mysql result set
201  */
202 class MySQLresult : public SQLresult
203 {
204         int currentrow;
205         //std::vector<std::map<std::string,std::string> > results;
206         std::vector<std::string> colnames;
207         std::vector<SQLfieldList> fieldlists;
208         SQLfieldMap* fieldmap;
209         SQLfieldMap fieldmap2;
210         SQLfieldList emptyfieldlist;
211         int rows;
212  public:
213
214         MySQLresult(Module* self, Module* to, MYSQL_RES* res, int affected_rows, unsigned int id) : SQLresult(self, to, id), currentrow(0), fieldmap(NULL)
215         {
216                 /* A number of affected rows from from mysql_affected_rows.
217                  */
218                 fieldlists.clear();
219                 rows = 0;
220                 if (affected_rows >= 1)
221                 {
222                         rows = affected_rows;
223                         fieldlists.resize(rows);
224                 }
225                 unsigned int field_count = 0;
226                 if (res)
227                 {
228                         MYSQL_ROW row;
229                         int n = 0;
230                         while ((row = mysql_fetch_row(res)))
231                         {
232                                 if (fieldlists.size() < (unsigned int)rows+1)
233                                 {
234                                         fieldlists.resize(fieldlists.size()+1);
235                                 }
236                                 field_count = 0;
237                                 MYSQL_FIELD *fields = mysql_fetch_fields(res);
238                                 if(mysql_num_fields(res) == 0)
239                                         break;
240                                 if (fields && mysql_num_fields(res))
241                                 {
242                                         colnames.clear();
243                                         while (field_count < mysql_num_fields(res))
244                                         {
245                                                 std::string a = (fields[field_count].name ? fields[field_count].name : "");
246                                                 std::string b = (row[field_count] ? row[field_count] : "");
247                                                 SQLfield sqlf(b, !row[field_count]);
248                                                 colnames.push_back(a);
249                                                 fieldlists[n].push_back(sqlf); 
250                                                 field_count++;
251                                         }
252                                         n++;
253                                 }
254                                 rows++;
255                         }
256                         mysql_free_result(res);
257                 }
258         }
259
260         MySQLresult(Module* self, Module* to, SQLerror e, unsigned int id) : SQLresult(self, to, id), currentrow(0)
261         {
262                 rows = 0;
263                 error = e;
264         }
265
266         ~MySQLresult()
267         {
268         }
269
270         virtual int Rows()
271         {
272                 return rows;
273         }
274
275         virtual int Cols()
276         {
277                 return colnames.size();
278         }
279
280         virtual std::string ColName(int column)
281         {
282                 if (column < (int)colnames.size())
283                 {
284                         return colnames[column];
285                 }
286                 else
287                 {
288                         throw SQLbadColName();
289                 }
290                 return "";
291         }
292
293         virtual int ColNum(const std::string &column)
294         {
295                 for (unsigned int i = 0; i < colnames.size(); i++)
296                 {
297                         if (column == colnames[i])
298                                 return i;
299                 }
300                 throw SQLbadColName();
301                 return 0;
302         }
303
304         virtual SQLfield GetValue(int row, int column)
305         {
306                 if ((row >= 0) && (row < rows) && (column >= 0) && (column < Cols()))
307                 {
308                         return fieldlists[row][column];
309                 }
310
311                 throw SQLbadColName();
312
313                 /* XXX: We never actually get here because of the throw */
314                 return SQLfield("",true);
315         }
316
317         virtual SQLfieldList& GetRow()
318         {
319                 if (currentrow < rows)
320                         return fieldlists[currentrow];
321                 else
322                         return emptyfieldlist;
323         }
324
325         virtual SQLfieldMap& GetRowMap()
326         {
327                 fieldmap2.clear();
328
329                 if (currentrow < rows)
330                 {
331                         for (int i = 0; i < Cols(); i++)
332                         {
333                                 fieldmap2.insert(std::make_pair(colnames[i],GetValue(currentrow, i)));
334                         }
335                         currentrow++;
336                 }
337
338                 return fieldmap2;
339         }
340
341         virtual SQLfieldList* GetRowPtr()
342         {
343                 SQLfieldList* fieldlist = new SQLfieldList();
344
345                 if (currentrow < rows)
346                 {
347                         for (int i = 0; i < Rows(); i++)
348                         {
349                                 fieldlist->push_back(fieldlists[currentrow][i]);
350                         }
351                         currentrow++;
352                 }
353                 return fieldlist;
354         }
355
356         virtual SQLfieldMap* GetRowMapPtr()
357         {
358                 fieldmap = new SQLfieldMap();
359                 
360                 if (currentrow < rows)
361                 {
362                         for (int i = 0; i < Cols(); i++)
363                         {
364                                 fieldmap->insert(std::make_pair(colnames[i],GetValue(currentrow, i)));
365                         }
366                         currentrow++;
367                 }
368
369                 return fieldmap;
370         }
371
372         virtual void Free(SQLfieldMap* fm)
373         {
374                 delete fm;
375         }
376
377         virtual void Free(SQLfieldList* fl)
378         {
379                 delete fl;
380         }
381 };
382
383 class SQLConnection;
384
385 void NotifyMainThread(SQLConnection* connection_with_new_result);
386
387 /** Represents a connection to a mysql database
388  */
389 class SQLConnection : public classbase
390 {
391  protected:
392
393         MYSQL connection;
394         MYSQL_RES *res;
395         MYSQL_ROW row;
396         std::string host;
397         std::string user;
398         std::string pass;
399         std::string db;
400         std::map<std::string,std::string> thisrow;
401         bool Enabled;
402         std::string id;
403
404  public:
405
406         QueryQueue queue;
407         ResultQueue rq;
408
409         // This constructor creates an SQLConnection object with the given credentials, but does not connect yet.
410         SQLConnection(const std::string &thishost, const std::string &thisuser, const std::string &thispass, const std::string &thisdb, const std::string &myid) : host(thishost), user(thisuser), pass(thispass), db(thisdb), Enabled(true), id(myid)
411         {
412         }
413
414         // This method connects to the database using the credentials supplied to the constructor, and returns
415         // true upon success.
416         bool Connect()
417         {
418                 unsigned int timeout = 1;
419                 mysql_init(&connection);
420                 mysql_options(&connection,MYSQL_OPT_CONNECT_TIMEOUT,(char*)&timeout);
421                 return mysql_real_connect(&connection, host.c_str(), user.c_str(), pass.c_str(), db.c_str(), 0, NULL, 0);
422         }
423
424         void DoLeadingQuery()
425         {
426                 if (!CheckConnection())
427                         return;
428
429                 /* Parse the command string and dispatch it to mysql */
430                 SQLrequest& req = queue.front();
431
432                 /* Pointer to the buffer we screw around with substitution in */
433                 char* query;
434
435                 /* Pointer to the current end of query, where we append new stuff */
436                 char* queryend;
437
438                 /* Total length of the unescaped parameters */
439                 unsigned long paramlen;
440
441                 /* Total length of query, used for binary-safety in mysql_real_query */
442                 unsigned long querylength = 0;
443
444                 paramlen = 0;
445
446                 for(ParamL::iterator i = req.query.p.begin(); i != req.query.p.end(); i++)
447                 {
448                         paramlen += i->size();
449                 }
450
451                 /* To avoid a lot of allocations, allocate enough memory for the biggest the escaped query could possibly be.
452                  * sizeofquery + (totalparamlength*2) + 1
453                  *
454                  * The +1 is for null-terminating the string for mysql_real_escape_string
455                  */
456
457                 query = new char[req.query.q.length() + (paramlen*2)];
458                 queryend = query;
459
460                 /* Okay, now we have a buffer large enough we need to start copying the query into it and escaping and substituting
461                  * the parameters into it...
462                  */
463
464                 for(unsigned long i = 0; i < req.query.q.length(); i++)
465                 {
466                         if(req.query.q[i] == '?')
467                         {
468                                 /* We found a place to substitute..what fun.
469                                  * use mysql calls to escape and write the
470                                  * escaped string onto the end of our query buffer,
471                                  * then we "just" need to make sure queryend is
472                                  * pointing at the right place.
473                                  */
474                                 if(req.query.p.size())
475                                 {
476                                         unsigned long len = mysql_real_escape_string(&connection, queryend, req.query.p.front().c_str(), req.query.p.front().length());
477
478                                         queryend += len;
479                                         req.query.p.pop_front();
480                                 }
481                                 else
482                                         break;
483                         }
484                         else
485                         {
486                                 *queryend = req.query.q[i];
487                                 queryend++;
488                         }
489                         querylength++;
490                 }
491
492                 *queryend = 0;
493
494                 pthread_mutex_lock(&queue_mutex);
495                 req.query.q = query;
496                 pthread_mutex_unlock(&queue_mutex);
497
498                 if (!mysql_real_query(&connection, req.query.q.data(), req.query.q.length()))
499                 {
500                         /* Successfull query */
501                         res = mysql_use_result(&connection);
502                         unsigned long rows = mysql_affected_rows(&connection);
503                         MySQLresult* r = new MySQLresult(SQLModule, req.GetSource(), res, rows, req.id);
504                         r->dbid = this->GetID();
505                         r->query = req.query.q;
506                         /* Put this new result onto the results queue.
507                          * XXX: Remember to mutex the queue!
508                          */
509                         pthread_mutex_lock(&results_mutex);
510                         rq.push_back(r);
511                         pthread_mutex_unlock(&results_mutex);
512                 }
513                 else
514                 {
515                         /* XXX: See /usr/include/mysql/mysqld_error.h for a list of
516                          * possible error numbers and error messages */
517                         SQLerror e(QREPLY_FAIL, ConvToStr(mysql_errno(&connection)) + std::string(": ") + mysql_error(&connection));
518                         MySQLresult* r = new MySQLresult(SQLModule, req.GetSource(), e, req.id);
519                         r->dbid = this->GetID();
520                         r->query = req.query.q;
521
522                         pthread_mutex_lock(&results_mutex);
523                         rq.push_back(r);
524                         pthread_mutex_unlock(&results_mutex);
525                 }
526
527                 /* Now signal the main thread that we've got a result to process.
528                  * Pass them this connection id as what to examine
529                  */
530
531                 delete[] query;
532
533                 NotifyMainThread(this);
534         }
535
536         bool ConnectionLost()
537         {
538                 if (&connection) {
539                         return (mysql_ping(&connection) != 0);
540                 }
541                 else return false;
542         }
543
544         bool CheckConnection()
545         {
546                 if (ConnectionLost()) {
547                         return Connect();
548                 }
549                 else return true;
550         }
551
552         std::string GetError()
553         {
554                 return mysql_error(&connection);
555         }
556
557         const std::string& GetID()
558         {
559                 return id;
560         }
561
562         std::string GetHost()
563         {
564                 return host;
565         }
566
567         void SetEnable(bool Enable)
568         {
569                 Enabled = Enable;
570         }
571
572         bool IsEnabled()
573         {
574                 return Enabled;
575         }
576
577 };
578
579 ConnMap Connections;
580
581 void ConnectDatabases(InspIRCd* ServerInstance)
582 {
583         for (ConnMap::iterator i = Connections.begin(); i != Connections.end(); i++)
584         {
585                 i->second->SetEnable(true);
586                 if (!i->second->Connect())
587                 {
588                         /* XXX: MUTEX */
589                         pthread_mutex_lock(&logging_mutex);
590                         ServerInstance->Log(DEFAULT,"SQL: Failed to connect database "+i->second->GetHost()+": Error: "+i->second->GetError());
591                         i->second->SetEnable(false);
592                         pthread_mutex_unlock(&logging_mutex);
593                 }
594         }
595 }
596
597 void ClearDatabases()
598 {
599         ConnMap::iterator i;
600         while ((i = Connections.begin()) != Connections.end())
601         {
602                 Connections.erase(i);
603                 delete i->second;
604         }
605 }
606
607 void LoadDatabases(ConfigReader* ThisConf, InspIRCd* ServerInstance)
608 {
609         ClearDatabases();
610         for (int j =0; j < ThisConf->Enumerate("database"); j++)
611         {
612                 std::string db = ThisConf->ReadValue("database","name",j);
613                 std::string user = ThisConf->ReadValue("database","username",j);
614                 std::string pass = ThisConf->ReadValue("database","password",j);
615                 std::string host = ThisConf->ReadValue("database","hostname",j);
616                 std::string id = ThisConf->ReadValue("database","id",j);
617                 if ((db != "") && (host != "") && (user != "") && (id != "") && (pass != ""))
618                 {
619                         SQLConnection* ThisSQL = new SQLConnection(host,user,pass,db,id);
620                         Connections[id] = ThisSQL;
621                 }
622         }
623         ConnectDatabases(ServerInstance);
624 }
625
626 void NotifyMainThread(SQLConnection* connection_with_new_result)
627 {
628         /* Here we write() to the socket the main thread has open
629          * and we connect()ed back to before our thread became active.
630          * The main thread is using a nonblocking socket tied into
631          * the socket engine, so they wont block and they'll receive
632          * nearly instant notification. Because we're in a seperate
633          * thread, we can just use standard connect(), and we can
634          * block if we like. We just send the connection id of the
635          * connection back.
636          */
637         send(QueueFD, connection_with_new_result->GetID().c_str(), connection_with_new_result->GetID().length()+1, 0);
638 }
639
640 void* DispatcherThread(void* arg);
641
642 /** Used by m_mysql to notify one thread when the other has a result
643  */
644 class Notifier : public InspSocket
645 {
646         insp_sockaddr sock_us;
647         socklen_t uslen;
648         
649
650  public:
651
652         /* Create a socket on a random port. Let the tcp stack allocate us an available port */
653 #ifdef IPV6
654         Notifier(InspIRCd* SI) : InspSocket(SI, "::1", 0, true, 3000)
655 #else
656         Notifier(InspIRCd* SI) : InspSocket(SI, "127.0.0.1", 0, true, 3000)
657 #endif
658         {
659                 uslen = sizeof(sock_us);
660                 if (getsockname(this->fd,(sockaddr*)&sock_us,&uslen))
661                 {
662                         throw ModuleException("Could not create random listening port on localhost");
663                 }
664         }
665
666         Notifier(InspIRCd* SI, int newfd, char* ip) : InspSocket(SI, newfd, ip)
667         {
668                 Instance->Log(DEBUG,"Constructor of new socket");
669         }
670
671         /* Using getsockname and ntohs, we can determine which port number we were allocated */
672         int GetPort()
673         {
674 #ifdef IPV6
675                 return ntohs(sock_us.sin6_port);
676 #else
677                 return ntohs(sock_us.sin_port);
678 #endif
679         }
680
681         virtual int OnIncomingConnection(int newsock, char* ip)
682         {
683                 Instance->Log(DEBUG,"Inbound connection on fd %d!",newsock);
684                 Notifier* n = new Notifier(this->Instance, newsock, ip);
685                 n = n; /* Stop bitching at me, GCC */
686                 return true;
687         }
688
689         virtual bool OnDataReady()
690         {
691                 Instance->Log(DEBUG,"Inbound data!");
692                 char* data = this->Read();
693                 ConnMap::iterator iter;
694
695                 if (data && *data)
696                 {
697                         Instance->Log(DEBUG,"Looking for connection %s",data);
698                         /* We expect to be sent a null terminated string */
699                         if((iter = Connections.find(data)) != Connections.end())
700                         {
701                                 Instance->Log(DEBUG,"Found it!");
702
703                                 /* Lock the mutex, send back the data */
704                                 pthread_mutex_lock(&results_mutex);
705                                 ResultQueue::iterator n = iter->second->rq.begin();
706                                 (*n)->Send();
707                                 iter->second->rq.pop_front();
708                                 pthread_mutex_unlock(&results_mutex);
709                                 return true;
710                         }
711                 }
712
713                 return false;
714         }
715 };
716
717 /** MySQL module
718  */
719 class ModuleSQL : public Module
720 {
721  public:
722         
723         ConfigReader *Conf;
724         InspIRCd* PublicServerInstance;
725         pthread_t Dispatcher;
726         int currid;
727
728         void Implements(char* List)
729         {
730                 List[I_OnRehash] = List[I_OnRequest] = 1;
731         }
732
733         unsigned long NewID()
734         {
735                 if (currid+1 == 0)
736                         currid++;
737                 return ++currid;
738         }
739
740         char* OnRequest(Request* request)
741         {
742                 if(strcmp(SQLREQID, request->GetId()) == 0)
743                 {
744                         SQLrequest* req = (SQLrequest*)request;
745
746                         /* XXX: Lock */
747                         pthread_mutex_lock(&queue_mutex);
748
749                         ConnMap::iterator iter;
750
751                         char* returnval = NULL;
752
753                         ServerInstance->Log(DEBUG, "Got query: '%s' with %d replacement parameters on id '%s'", req->query.q.c_str(), req->query.p.size(), req->dbid.c_str());
754
755                         if((iter = Connections.find(req->dbid)) != Connections.end())
756                         {
757                                 req->id = NewID();
758                                 iter->second->queue.push(*req);
759                                 returnval = SQLSUCCESS;
760                         }
761                         else
762                         {
763                                 req->error.Id(BAD_DBID);
764                         }
765
766                         pthread_mutex_unlock(&queue_mutex);
767                         /* XXX: Unlock */
768
769                         return returnval;
770                 }
771
772                 ServerInstance->Log(DEBUG, "Got unsupported API version string: %s", request->GetId());
773
774                 return NULL;
775         }
776
777         ModuleSQL(InspIRCd* Me)
778                 : Module::Module(Me)
779         {
780                 
781                 Conf = new ConfigReader(ServerInstance);
782                 PublicServerInstance = ServerInstance;
783                 currid = 0;
784                 SQLModule = this;
785
786                 MessagePipe = new Notifier(ServerInstance);
787                 ServerInstance->Log(DEBUG,"Bound notifier to 127.0.0.1:%d",MessagePipe->GetPort());
788                 
789                 pthread_attr_t attribs;
790                 pthread_attr_init(&attribs);
791                 pthread_attr_setdetachstate(&attribs, PTHREAD_CREATE_DETACHED);
792                 if (pthread_create(&this->Dispatcher, &attribs, DispatcherThread, (void *)this) != 0)
793                 {
794                         throw ModuleException("m_mysql: Failed to create dispatcher thread: " + std::string(strerror(errno)));
795                 }
796                 if (!ServerInstance->PublishFeature("SQL", this))
797                 {
798                         /* Tell worker thread to exit NOW */
799                         giveup = true;
800                         throw ModuleException("m_mysql: Unable to publish feature 'SQL'");
801                 }
802         }
803         
804         virtual ~ModuleSQL()
805         {
806                 giveup = true;
807                 ClearDatabases();
808                 DELETE(Conf);
809         }
810         
811         virtual void OnRehash(const std::string &parameter)
812         {
813                 /* TODO: set rehash bool here, which makes the dispatcher thread rehash at next opportunity */
814         }
815         
816         virtual Version GetVersion()
817         {
818                 return Version(1,1,0,0,VF_VENDOR|VF_SERVICEPROVIDER,API_VERSION);
819         }
820         
821 };
822
823 void* DispatcherThread(void* arg)
824 {
825         ModuleSQL* thismodule = (ModuleSQL*)arg;
826         LoadDatabases(thismodule->Conf, thismodule->PublicServerInstance);
827
828         /* Connect back to the Notifier */
829
830         if ((QueueFD = socket(AF_FAMILY, SOCK_STREAM, 0)) == -1)
831         {
832                 /* crap, we're out of sockets... */
833                 return NULL;
834         }
835
836         insp_sockaddr addr;
837
838 #ifdef IPV6
839         insp_aton("::1", &addr.sin6_addr);
840         addr.sin6_family = AF_FAMILY;
841         addr.sin6_port = htons(MessagePipe->GetPort());
842 #else
843         insp_inaddr ia;
844         insp_aton("127.0.0.1", &ia);
845         addr.sin_family = AF_FAMILY;
846         addr.sin_addr = ia;
847         addr.sin_port = htons(MessagePipe->GetPort());
848 #endif
849
850         if (connect(QueueFD, (sockaddr*)&addr,sizeof(addr)) == -1)
851         {
852                 /* wtf, we cant connect to it, but we just created it! */
853                 return NULL;
854         }
855
856         while (!giveup)
857         {
858                 SQLConnection* conn = NULL;
859                 /* XXX: Lock here for safety */
860                 pthread_mutex_lock(&queue_mutex);
861                 for (ConnMap::iterator i = Connections.begin(); i != Connections.end(); i++)
862                 {
863                         if (i->second->queue.totalsize())
864                         {
865                                 conn = i->second;
866                                 break;
867                         }
868                 }
869                 pthread_mutex_unlock(&queue_mutex);
870                 /* XXX: Unlock */
871
872                 /* Theres an item! */
873                 if (conn)
874                 {
875                         conn->DoLeadingQuery();
876
877                         /* XXX: Lock */
878                         pthread_mutex_lock(&queue_mutex);
879                         conn->queue.pop();
880                         pthread_mutex_unlock(&queue_mutex);
881                         /* XXX: Unlock */
882                 }
883
884                 usleep(50);
885         }
886
887         return NULL;
888 }
889
890
891 // stuff down here is the module-factory stuff. For basic modules you can ignore this.
892
893 class ModuleSQLFactory : public ModuleFactory
894 {
895  public:
896         ModuleSQLFactory()
897         {
898         }
899         
900         ~ModuleSQLFactory()
901         {
902         }
903         
904         virtual Module * CreateModule(InspIRCd* Me)
905         {
906                 return new ModuleSQL(Me);
907         }
908         
909 };
910
911
912 extern "C" void * init_module( void )
913 {
914         return new ModuleSQLFactory;
915 }