Only chop \r\n instead of trimming all whitespace
[quassel.git] / src / core / corenetwork.cpp
1 /***************************************************************************
2  *   Copyright (C) 2005-2012 by the Quassel Project                        *
3  *   devel@quassel-irc.org                                                 *
4  *                                                                         *
5  *   This program is free software; you can redistribute it and/or modify  *
6  *   it under the terms of the GNU General Public License as published by  *
7  *   the Free Software Foundation; either version 2 of the License, or     *
8  *   (at your option) version 3.                                           *
9  *                                                                         *
10  *   This program is distributed in the hope that it will be useful,       *
11  *   but WITHOUT ANY WARRANTY; without even the implied warranty of        *
12  *   MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the         *
13  *   GNU General Public License for more details.                          *
14  *                                                                         *
15  *   You should have received a copy of the GNU General Public License     *
16  *   along with this program; if not, write to the                         *
17  *   Free Software Foundation, Inc.,                                       *
18  *   51 Franklin Street, Fifth Floor, Boston, MA  02110-1301, USA.         *
19  ***************************************************************************/
20
21 #include "corenetwork.h"
22
23 #include "core.h"
24 #include "coreidentity.h"
25 #include "corenetworkconfig.h"
26 #include "coresession.h"
27 #include "coreuserinputhandler.h"
28 #include "networkevent.h"
29
30 INIT_SYNCABLE_OBJECT(CoreNetwork)
31 CoreNetwork::CoreNetwork(const NetworkId &networkid, CoreSession *session)
32     : Network(networkid, session),
33     _coreSession(session),
34     _userInputHandler(new CoreUserInputHandler(this)),
35     _autoReconnectCount(0),
36     _quitRequested(false),
37
38     _previousConnectionAttemptFailed(false),
39     _lastUsedServerIndex(0),
40
41     _lastPingTime(0),
42     _pingCount(0),
43     _requestedUserModes('-')
44 {
45     _autoReconnectTimer.setSingleShot(true);
46     _socketCloseTimer.setSingleShot(true);
47     connect(&_socketCloseTimer, SIGNAL(timeout()), this, SLOT(socketCloseTimeout()));
48
49     setPingInterval(networkConfig()->pingInterval());
50     connect(&_pingTimer, SIGNAL(timeout()), this, SLOT(sendPing()));
51
52     setAutoWhoDelay(networkConfig()->autoWhoDelay());
53     setAutoWhoInterval(networkConfig()->autoWhoInterval());
54
55     QHash<QString, QString> channels = coreSession()->persistentChannels(networkId());
56     foreach(QString chan, channels.keys()) {
57         _channelKeys[chan.toLower()] = channels[chan];
58     }
59
60     connect(networkConfig(), SIGNAL(pingTimeoutEnabledSet(bool)), SLOT(enablePingTimeout(bool)));
61     connect(networkConfig(), SIGNAL(pingIntervalSet(int)), SLOT(setPingInterval(int)));
62     connect(networkConfig(), SIGNAL(autoWhoEnabledSet(bool)), SLOT(setAutoWhoEnabled(bool)));
63     connect(networkConfig(), SIGNAL(autoWhoIntervalSet(int)), SLOT(setAutoWhoInterval(int)));
64     connect(networkConfig(), SIGNAL(autoWhoDelaySet(int)), SLOT(setAutoWhoDelay(int)));
65
66     connect(&_autoReconnectTimer, SIGNAL(timeout()), this, SLOT(doAutoReconnect()));
67     connect(&_autoWhoTimer, SIGNAL(timeout()), this, SLOT(sendAutoWho()));
68     connect(&_autoWhoCycleTimer, SIGNAL(timeout()), this, SLOT(startAutoWhoCycle()));
69     connect(&_tokenBucketTimer, SIGNAL(timeout()), this, SLOT(fillBucketAndProcessQueue()));
70
71     connect(&socket, SIGNAL(connected()), this, SLOT(socketInitialized()));
72     connect(&socket, SIGNAL(disconnected()), this, SLOT(socketDisconnected()));
73     connect(&socket, SIGNAL(error(QAbstractSocket::SocketError)), this, SLOT(socketError(QAbstractSocket::SocketError)));
74     connect(&socket, SIGNAL(stateChanged(QAbstractSocket::SocketState)), this, SLOT(socketStateChanged(QAbstractSocket::SocketState)));
75     connect(&socket, SIGNAL(readyRead()), this, SLOT(socketHasData()));
76 #ifdef HAVE_SSL
77     connect(&socket, SIGNAL(encrypted()), this, SLOT(socketInitialized()));
78     connect(&socket, SIGNAL(sslErrors(const QList<QSslError> &)), this, SLOT(sslErrors(const QList<QSslError> &)));
79 #endif
80     connect(this, SIGNAL(newEvent(Event *)), coreSession()->eventManager(), SLOT(postEvent(Event *)));
81
82     if (Quassel::isOptionSet("oidentd")) {
83         connect(this, SIGNAL(socketInitialized(const CoreIdentity*, QHostAddress, quint16, QHostAddress, quint16)), Core::instance()->oidentdConfigGenerator(), SLOT(addSocket(const CoreIdentity*, QHostAddress, quint16, QHostAddress, quint16)), Qt::BlockingQueuedConnection);
84         connect(this, SIGNAL(socketDisconnected(const CoreIdentity*, QHostAddress, quint16, QHostAddress, quint16)), Core::instance()->oidentdConfigGenerator(), SLOT(removeSocket(const CoreIdentity*, QHostAddress, quint16, QHostAddress, quint16)));
85     }
86 }
87
88
89 CoreNetwork::~CoreNetwork()
90 {
91     if (connectionState() != Disconnected && connectionState() != Network::Reconnecting)
92         disconnectFromIrc(false);  // clean up, but this does not count as requested disconnect!
93     disconnect(&socket, 0, this, 0); // this keeps the socket from triggering events during clean up
94     delete _userInputHandler;
95 }
96
97
98 QString CoreNetwork::channelDecode(const QString &bufferName, const QByteArray &string) const
99 {
100     if (!bufferName.isEmpty()) {
101         IrcChannel *channel = ircChannel(bufferName);
102         if (channel)
103             return channel->decodeString(string);
104     }
105     return decodeString(string);
106 }
107
108
109 QString CoreNetwork::userDecode(const QString &userNick, const QByteArray &string) const
110 {
111     IrcUser *user = ircUser(userNick);
112     if (user)
113         return user->decodeString(string);
114     return decodeString(string);
115 }
116
117
118 QByteArray CoreNetwork::channelEncode(const QString &bufferName, const QString &string) const
119 {
120     if (!bufferName.isEmpty()) {
121         IrcChannel *channel = ircChannel(bufferName);
122         if (channel)
123             return channel->encodeString(string);
124     }
125     return encodeString(string);
126 }
127
128
129 QByteArray CoreNetwork::userEncode(const QString &userNick, const QString &string) const
130 {
131     IrcUser *user = ircUser(userNick);
132     if (user)
133         return user->encodeString(string);
134     return encodeString(string);
135 }
136
137
138 void CoreNetwork::connectToIrc(bool reconnecting)
139 {
140     if (!reconnecting && useAutoReconnect() && _autoReconnectCount == 0) {
141         _autoReconnectTimer.setInterval(autoReconnectInterval() * 1000);
142         if (unlimitedReconnectRetries())
143             _autoReconnectCount = -1;
144         else
145             _autoReconnectCount = autoReconnectRetries();
146     }
147     if (serverList().isEmpty()) {
148         qWarning() << "Server list empty, ignoring connect request!";
149         return;
150     }
151     CoreIdentity *identity = identityPtr();
152     if (!identity) {
153         qWarning() << "Invalid identity configures, ignoring connect request!";
154         return;
155     }
156
157     // cleaning up old quit reason
158     _quitReason.clear();
159
160     // use a random server?
161     if (useRandomServer()) {
162         _lastUsedServerIndex = qrand() % serverList().size();
163     }
164     else if (_previousConnectionAttemptFailed) {
165         // cycle to next server if previous connection attempt failed
166         displayMsg(Message::Server, BufferInfo::StatusBuffer, "", tr("Connection failed. Cycling to next Server"));
167         if (++_lastUsedServerIndex >= serverList().size()) {
168             _lastUsedServerIndex = 0;
169         }
170     }
171     _previousConnectionAttemptFailed = false;
172
173     Server server = usedServer();
174     displayStatusMsg(tr("Connecting to %1:%2...").arg(server.host).arg(server.port));
175     displayMsg(Message::Server, BufferInfo::StatusBuffer, "", tr("Connecting to %1:%2...").arg(server.host).arg(server.port));
176
177     if (server.useProxy) {
178         QNetworkProxy proxy((QNetworkProxy::ProxyType)server.proxyType, server.proxyHost, server.proxyPort, server.proxyUser, server.proxyPass);
179         socket.setProxy(proxy);
180     }
181     else {
182         socket.setProxy(QNetworkProxy::NoProxy);
183     }
184
185 #ifdef HAVE_SSL
186     socket.setProtocol((QSsl::SslProtocol)server.sslVersion);
187     if (server.useSsl) {
188         CoreIdentity *identity = identityPtr();
189         if (identity) {
190             socket.setLocalCertificate(identity->sslCert());
191             socket.setPrivateKey(identity->sslKey());
192         }
193         socket.connectToHostEncrypted(server.host, server.port);
194     }
195     else {
196         socket.connectToHost(server.host, server.port);
197     }
198 #else
199     socket.connectToHost(server.host, server.port);
200 #endif
201 }
202
203
204 void CoreNetwork::disconnectFromIrc(bool requested, const QString &reason, bool withReconnect)
205 {
206     _quitRequested = requested; // see socketDisconnected();
207     if (!withReconnect) {
208         _autoReconnectTimer.stop();
209         _autoReconnectCount = 0; // prohibiting auto reconnect
210     }
211     disablePingTimeout();
212     _msgQueue.clear();
213
214     IrcUser *me_ = me();
215     if (me_) {
216         QString awayMsg;
217         if (me_->isAway())
218             awayMsg = me_->awayMessage();
219         Core::setAwayMessage(userId(), networkId(), awayMsg);
220     }
221
222     if (reason.isEmpty() && identityPtr())
223         _quitReason = identityPtr()->quitReason();
224     else
225         _quitReason = reason;
226
227     displayMsg(Message::Server, BufferInfo::StatusBuffer, "", tr("Disconnecting. (%1)").arg((!requested && !withReconnect) ? tr("Core Shutdown") : _quitReason));
228     switch (socket.state()) {
229     case QAbstractSocket::ConnectedState:
230         userInputHandler()->issueQuit(_quitReason);
231         if (requested || withReconnect) {
232             // the irc server has 10 seconds to close the socket
233             _socketCloseTimer.start(10000);
234             break;
235         }
236     default:
237         socket.close();
238         socketDisconnected();
239     }
240 }
241
242
243 void CoreNetwork::userInput(BufferInfo buf, QString msg)
244 {
245     userInputHandler()->handleUserInput(buf, msg);
246 }
247
248
249 void CoreNetwork::putRawLine(QByteArray s)
250 {
251     if (_tokenBucket > 0)
252         writeToSocket(s);
253     else
254         _msgQueue.append(s);
255 }
256
257
258 void CoreNetwork::putCmd(const QString &cmd, const QList<QByteArray> &params, const QByteArray &prefix)
259 {
260     QByteArray msg;
261
262     if (!prefix.isEmpty())
263         msg += ":" + prefix + " ";
264     msg += cmd.toUpper().toAscii();
265
266     for (int i = 0; i < params.size() - 1; i++) {
267         msg += " " + params[i];
268     }
269     if (!params.isEmpty())
270         msg += " :" + params.last();
271
272     putRawLine(msg);
273 }
274
275
276 void CoreNetwork::setChannelJoined(const QString &channel)
277 {
278     _autoWhoQueue.prepend(channel.toLower()); // prepend so this new chan is the first to be checked
279
280     Core::setChannelPersistent(userId(), networkId(), channel, true);
281     Core::setPersistentChannelKey(userId(), networkId(), channel, _channelKeys[channel.toLower()]);
282 }
283
284
285 void CoreNetwork::setChannelParted(const QString &channel)
286 {
287     removeChannelKey(channel);
288     _autoWhoQueue.removeAll(channel.toLower());
289     _autoWhoPending.remove(channel.toLower());
290
291     Core::setChannelPersistent(userId(), networkId(), channel, false);
292 }
293
294
295 void CoreNetwork::addChannelKey(const QString &channel, const QString &key)
296 {
297     if (key.isEmpty()) {
298         removeChannelKey(channel);
299     }
300     else {
301         _channelKeys[channel.toLower()] = key;
302     }
303 }
304
305
306 void CoreNetwork::removeChannelKey(const QString &channel)
307 {
308     _channelKeys.remove(channel.toLower());
309 }
310
311
312 #ifdef HAVE_QCA2
313 Cipher *CoreNetwork::cipher(const QString &target) const
314 {
315     if (target.isEmpty())
316         return 0;
317
318     if (!Cipher::neededFeaturesAvailable())
319         return 0;
320
321     QByteArray key = cipherKey(target);
322     if (key.isEmpty())
323         return 0;
324
325     CoreIrcChannel *channel = qobject_cast<CoreIrcChannel *>(ircChannel(target));
326     if (channel) {
327         if (channel->cipher()->setKey(key))
328             return channel->cipher();
329     }
330     else {
331         CoreIrcUser *user = qobject_cast<CoreIrcUser *>(ircUser(target));
332         if (user && user->cipher()->setKey(key))
333             return user->cipher();
334     }
335     return 0;
336 }
337
338
339 QByteArray CoreNetwork::cipherKey(const QString &recipient) const
340 {
341     return _cipherKeys.value(recipient.toLower(), QByteArray());
342 }
343
344
345 void CoreNetwork::setCipherKey(const QString &recipient, const QByteArray &key)
346 {
347     if (!key.isEmpty())
348         _cipherKeys[recipient.toLower()] = key;
349     else
350         _cipherKeys.remove(recipient.toLower());
351 }
352
353
354 #endif /* HAVE_QCA2 */
355
356 bool CoreNetwork::setAutoWhoDone(const QString &channel)
357 {
358     QString chan = channel.toLower();
359     if (_autoWhoPending.value(chan, 0) <= 0)
360         return false;
361     if (--_autoWhoPending[chan] <= 0)
362         _autoWhoPending.remove(chan);
363     return true;
364 }
365
366
367 void CoreNetwork::setMyNick(const QString &mynick)
368 {
369     Network::setMyNick(mynick);
370     if (connectionState() == Network::Initializing)
371         networkInitialized();
372 }
373
374
375 void CoreNetwork::socketHasData()
376 {
377     while (socket.canReadLine()) {
378         QByteArray s = socket.readLine();
379         s.chop(2);
380         NetworkDataEvent *event = new NetworkDataEvent(EventManager::NetworkIncoming, this, s);
381 #if QT_VERSION >= 0x040700
382         event->setTimestamp(QDateTime::currentDateTimeUtc());
383 #else
384         event->setTimestamp(QDateTime::currentDateTime().toUTC());
385 #endif
386         emit newEvent(event);
387     }
388 }
389
390
391 void CoreNetwork::socketError(QAbstractSocket::SocketError error)
392 {
393     if (_quitRequested && error == QAbstractSocket::RemoteHostClosedError)
394         return;
395
396     _previousConnectionAttemptFailed = true;
397     qWarning() << qPrintable(tr("Could not connect to %1 (%2)").arg(networkName(), socket.errorString()));
398     emit connectionError(socket.errorString());
399     displayMsg(Message::Error, BufferInfo::StatusBuffer, "", tr("Connection failure: %1").arg(socket.errorString()));
400     emitConnectionError(socket.errorString());
401     if (socket.state() < QAbstractSocket::ConnectedState) {
402         socketDisconnected();
403     }
404 }
405
406
407 void CoreNetwork::socketInitialized()
408 {
409     Server server = usedServer();
410 #ifdef HAVE_SSL
411     if (server.useSsl && !socket.isEncrypted())
412         return;
413 #endif
414
415     CoreIdentity *identity = identityPtr();
416     if (!identity) {
417         qCritical() << "Identity invalid!";
418         disconnectFromIrc();
419         return;
420     }
421
422     emit socketInitialized(identity, localAddress(), localPort(), peerAddress(), peerPort());
423
424     // TokenBucket to avoid sending too much at once
425     _messageDelay = 2200;  // this seems to be a safe value (2.2 seconds delay)
426     _burstSize = 5;
427     _tokenBucket = _burstSize; // init with a full bucket
428     _tokenBucketTimer.start(_messageDelay);
429
430     if (networkInfo().useSasl) {
431         putRawLine(serverEncode(QString("CAP REQ :sasl")));
432     }
433     if (!server.password.isEmpty()) {
434         putRawLine(serverEncode(QString("PASS %1").arg(server.password)));
435     }
436     QString nick;
437     if (identity->nicks().isEmpty()) {
438         nick = "quassel";
439         qWarning() << "CoreNetwork::socketInitialized(): no nicks supplied for identity Id" << identity->id();
440     }
441     else {
442         nick = identity->nicks()[0];
443     }
444     putRawLine(serverEncode(QString("NICK :%1").arg(nick)));
445     putRawLine(serverEncode(QString("USER %1 8 * :%2").arg(identity->ident(), identity->realName())));
446 }
447
448
449 void CoreNetwork::socketDisconnected()
450 {
451     disablePingTimeout();
452     _msgQueue.clear();
453
454     _autoWhoCycleTimer.stop();
455     _autoWhoTimer.stop();
456     _autoWhoQueue.clear();
457     _autoWhoPending.clear();
458
459     _socketCloseTimer.stop();
460
461     _tokenBucketTimer.stop();
462
463     IrcUser *me_ = me();
464     if (me_) {
465         foreach(QString channel, me_->channels())
466         displayMsg(Message::Quit, BufferInfo::ChannelBuffer, channel, _quitReason, me_->hostmask());
467     }
468
469     setConnected(false);
470     emit disconnected(networkId());
471     emit socketDisconnected(identityPtr(), localAddress(), localPort(), peerAddress(), peerPort());
472     if (_quitRequested) {
473         _quitRequested = false;
474         setConnectionState(Network::Disconnected);
475         Core::setNetworkConnected(userId(), networkId(), false);
476     }
477     else if (_autoReconnectCount != 0) {
478         setConnectionState(Network::Reconnecting);
479         if (_autoReconnectCount == -1 || _autoReconnectCount == autoReconnectRetries())
480             doAutoReconnect();  // first try is immediate
481         else
482             _autoReconnectTimer.start();
483     }
484 }
485
486
487 void CoreNetwork::socketStateChanged(QAbstractSocket::SocketState socketState)
488 {
489     Network::ConnectionState state;
490     switch (socketState) {
491     case QAbstractSocket::UnconnectedState:
492         state = Network::Disconnected;
493         break;
494     case QAbstractSocket::HostLookupState:
495     case QAbstractSocket::ConnectingState:
496         state = Network::Connecting;
497         break;
498     case QAbstractSocket::ConnectedState:
499         state = Network::Initializing;
500         break;
501     case QAbstractSocket::ClosingState:
502         state = Network::Disconnecting;
503         break;
504     default:
505         state = Network::Disconnected;
506     }
507     setConnectionState(state);
508 }
509
510
511 void CoreNetwork::networkInitialized()
512 {
513     setConnectionState(Network::Initialized);
514     setConnected(true);
515     _quitRequested = false;
516
517     if (useAutoReconnect()) {
518         // reset counter
519         _autoReconnectCount = unlimitedReconnectRetries() ? -1 : autoReconnectRetries();
520     }
521
522     // restore away state
523     QString awayMsg = Core::awayMessage(userId(), networkId());
524     if (!awayMsg.isEmpty())
525         userInputHandler()->handleAway(BufferInfo(), Core::awayMessage(userId(), networkId()));
526
527     sendPerform();
528
529     enablePingTimeout();
530
531     if (networkConfig()->autoWhoEnabled()) {
532         _autoWhoCycleTimer.start();
533         _autoWhoTimer.start();
534         startAutoWhoCycle(); // FIXME wait for autojoin to be completed
535     }
536
537     Core::bufferInfo(userId(), networkId(), BufferInfo::StatusBuffer); // create status buffer
538     Core::setNetworkConnected(userId(), networkId(), true);
539 }
540
541
542 void CoreNetwork::sendPerform()
543 {
544     BufferInfo statusBuf = BufferInfo::fakeStatusBuffer(networkId());
545
546     // do auto identify
547     if (useAutoIdentify() && !autoIdentifyService().isEmpty() && !autoIdentifyPassword().isEmpty()) {
548         userInputHandler()->handleMsg(statusBuf, QString("%1 IDENTIFY %2").arg(autoIdentifyService(), autoIdentifyPassword()));
549     }
550
551     // restore old user modes if server default mode is set.
552     IrcUser *me_ = me();
553     if (me_) {
554         if (!me_->userModes().isEmpty()) {
555             restoreUserModes();
556         }
557         else {
558             connect(me_, SIGNAL(userModesSet(QString)), this, SLOT(restoreUserModes()));
559             connect(me_, SIGNAL(userModesAdded(QString)), this, SLOT(restoreUserModes()));
560         }
561     }
562
563     // send perform list
564     foreach(QString line, perform()) {
565         if (!line.isEmpty()) userInput(statusBuf, line);
566     }
567
568     // rejoin channels we've been in
569     if (rejoinChannels()) {
570         QStringList channels, keys;
571         foreach(QString chan, coreSession()->persistentChannels(networkId()).keys()) {
572             QString key = channelKey(chan);
573             if (!key.isEmpty()) {
574                 channels.prepend(chan);
575                 keys.prepend(key);
576             }
577             else {
578                 channels.append(chan);
579             }
580         }
581         QString joinString = QString("%1 %2").arg(channels.join(",")).arg(keys.join(",")).trimmed();
582         if (!joinString.isEmpty())
583             userInputHandler()->handleJoin(statusBuf, joinString);
584     }
585 }
586
587
588 void CoreNetwork::restoreUserModes()
589 {
590     IrcUser *me_ = me();
591     Q_ASSERT(me_);
592
593     disconnect(me_, SIGNAL(userModesSet(QString)), this, SLOT(restoreUserModes()));
594     disconnect(me_, SIGNAL(userModesAdded(QString)), this, SLOT(restoreUserModes()));
595
596     QString modesDelta = Core::userModes(userId(), networkId());
597     QString currentModes = me_->userModes();
598
599     QString addModes, removeModes;
600     if (modesDelta.contains('-')) {
601         addModes = modesDelta.section('-', 0, 0);
602         removeModes = modesDelta.section('-', 1);
603     }
604     else {
605         addModes = modesDelta;
606     }
607
608     addModes.remove(QRegExp(QString("[%1]").arg(currentModes)));
609     if (currentModes.isEmpty())
610         removeModes = QString();
611     else
612         removeModes.remove(QRegExp(QString("[^%1]").arg(currentModes)));
613
614     if (addModes.isEmpty() && removeModes.isEmpty())
615         return;
616
617     if (!addModes.isEmpty())
618         addModes = '+' + addModes;
619     if (!removeModes.isEmpty())
620         removeModes = '-' + removeModes;
621
622     // don't use InputHandler::handleMode() as it keeps track of our persistent mode changes
623     putRawLine(serverEncode(QString("MODE %1 %2%3").arg(me_->nick()).arg(addModes).arg(removeModes)));
624 }
625
626
627 void CoreNetwork::updateIssuedModes(const QString &requestedModes)
628 {
629     QString addModes;
630     QString removeModes;
631     bool addMode = true;
632
633     for (int i = 0; i < requestedModes.length(); i++) {
634         if (requestedModes[i] == '+') {
635             addMode = true;
636             continue;
637         }
638         if (requestedModes[i] == '-') {
639             addMode = false;
640             continue;
641         }
642         if (addMode) {
643             addModes += requestedModes[i];
644         }
645         else {
646             removeModes += requestedModes[i];
647         }
648     }
649
650     QString addModesOld = _requestedUserModes.section('-', 0, 0);
651     QString removeModesOld = _requestedUserModes.section('-', 1);
652
653     addModes.remove(QRegExp(QString("[%1]").arg(addModesOld))); // deduplicate
654     addModesOld.remove(QRegExp(QString("[%1]").arg(removeModes))); // update
655     addModes += addModesOld;
656
657     removeModes.remove(QRegExp(QString("[%1]").arg(removeModesOld))); // deduplicate
658     removeModesOld.remove(QRegExp(QString("[%1]").arg(addModes))); // update
659     removeModes += removeModesOld;
660
661     _requestedUserModes = QString("%1-%2").arg(addModes).arg(removeModes);
662 }
663
664
665 void CoreNetwork::updatePersistentModes(QString addModes, QString removeModes)
666 {
667     QString persistentUserModes = Core::userModes(userId(), networkId());
668
669     QString requestedAdd = _requestedUserModes.section('-', 0, 0);
670     QString requestedRemove = _requestedUserModes.section('-', 1);
671
672     QString persistentAdd, persistentRemove;
673     if (persistentUserModes.contains('-')) {
674         persistentAdd = persistentUserModes.section('-', 0, 0);
675         persistentRemove = persistentUserModes.section('-', 1);
676     }
677     else {
678         persistentAdd = persistentUserModes;
679     }
680
681     // remove modes we didn't issue
682     if (requestedAdd.isEmpty())
683         addModes = QString();
684     else
685         addModes.remove(QRegExp(QString("[^%1]").arg(requestedAdd)));
686
687     if (requestedRemove.isEmpty())
688         removeModes = QString();
689     else
690         removeModes.remove(QRegExp(QString("[^%1]").arg(requestedRemove)));
691
692     // deduplicate
693     persistentAdd.remove(QRegExp(QString("[%1]").arg(addModes)));
694     persistentRemove.remove(QRegExp(QString("[%1]").arg(removeModes)));
695
696     // update
697     persistentAdd.remove(QRegExp(QString("[%1]").arg(removeModes)));
698     persistentRemove.remove(QRegExp(QString("[%1]").arg(addModes)));
699
700     // update issued mode list
701     requestedAdd.remove(QRegExp(QString("[%1]").arg(addModes)));
702     requestedRemove.remove(QRegExp(QString("[%1]").arg(removeModes)));
703     _requestedUserModes = QString("%1-%2").arg(requestedAdd).arg(requestedRemove);
704
705     persistentAdd += addModes;
706     persistentRemove += removeModes;
707     Core::setUserModes(userId(), networkId(), QString("%1-%2").arg(persistentAdd).arg(persistentRemove));
708 }
709
710
711 void CoreNetwork::resetPersistentModes()
712 {
713     _requestedUserModes = QString('-');
714     Core::setUserModes(userId(), networkId(), QString());
715 }
716
717
718 void CoreNetwork::setUseAutoReconnect(bool use)
719 {
720     Network::setUseAutoReconnect(use);
721     if (!use)
722         _autoReconnectTimer.stop();
723 }
724
725
726 void CoreNetwork::setAutoReconnectInterval(quint32 interval)
727 {
728     Network::setAutoReconnectInterval(interval);
729     _autoReconnectTimer.setInterval(interval * 1000);
730 }
731
732
733 void CoreNetwork::setAutoReconnectRetries(quint16 retries)
734 {
735     Network::setAutoReconnectRetries(retries);
736     if (_autoReconnectCount != 0) {
737         if (unlimitedReconnectRetries())
738             _autoReconnectCount = -1;
739         else
740             _autoReconnectCount = autoReconnectRetries();
741     }
742 }
743
744
745 void CoreNetwork::doAutoReconnect()
746 {
747     if (connectionState() != Network::Disconnected && connectionState() != Network::Reconnecting) {
748         qWarning() << "CoreNetwork::doAutoReconnect(): Cannot reconnect while not being disconnected!";
749         return;
750     }
751     if (_autoReconnectCount > 0 || _autoReconnectCount == -1)
752         _autoReconnectCount--;  // -2 means we delay the next reconnect
753     connectToIrc(true);
754 }
755
756
757 void CoreNetwork::sendPing()
758 {
759     uint now = QDateTime::currentDateTime().toTime_t();
760     if (_pingCount != 0) {
761         qDebug() << "UserId:" << userId() << "Network:" << networkName() << "missed" << _pingCount << "pings."
762                  << "BA:" << socket.bytesAvailable() << "BTW:" << socket.bytesToWrite();
763     }
764     if ((int)_pingCount >= networkConfig()->maxPingCount() && now - _lastPingTime <= (uint)(_pingTimer.interval() / 1000) + 1) {
765         // the second check compares the actual elapsed time since the last ping and the pingTimer interval
766         // if the interval is shorter then the actual elapsed time it means that this thread was somehow blocked
767         // and unable to even handle a ping answer. So we ignore those misses.
768         disconnectFromIrc(false, QString("No Ping reply in %1 seconds.").arg(_pingCount * _pingTimer.interval() / 1000), true /* withReconnect */);
769     }
770     else {
771         _lastPingTime = now;
772         _pingCount++;
773         userInputHandler()->handlePing(BufferInfo(), QString());
774     }
775 }
776
777
778 void CoreNetwork::enablePingTimeout(bool enable)
779 {
780     if (!enable)
781         disablePingTimeout();
782     else {
783         resetPingTimeout();
784         if (networkConfig()->pingTimeoutEnabled())
785             _pingTimer.start();
786     }
787 }
788
789
790 void CoreNetwork::disablePingTimeout()
791 {
792     _pingTimer.stop();
793     resetPingTimeout();
794 }
795
796
797 void CoreNetwork::setPingInterval(int interval)
798 {
799     _pingTimer.setInterval(interval * 1000);
800 }
801
802
803 /******** AutoWHO ********/
804
805 void CoreNetwork::startAutoWhoCycle()
806 {
807     if (!_autoWhoQueue.isEmpty()) {
808         _autoWhoCycleTimer.stop();
809         return;
810     }
811     _autoWhoQueue = channels();
812 }
813
814
815 void CoreNetwork::setAutoWhoDelay(int delay)
816 {
817     _autoWhoTimer.setInterval(delay * 1000);
818 }
819
820
821 void CoreNetwork::setAutoWhoInterval(int interval)
822 {
823     _autoWhoCycleTimer.setInterval(interval * 1000);
824 }
825
826
827 void CoreNetwork::setAutoWhoEnabled(bool enabled)
828 {
829     if (enabled && isConnected() && !_autoWhoTimer.isActive())
830         _autoWhoTimer.start();
831     else if (!enabled) {
832         _autoWhoTimer.stop();
833         _autoWhoCycleTimer.stop();
834     }
835 }
836
837
838 void CoreNetwork::sendAutoWho()
839 {
840     // Don't send autowho if there are still some pending
841     if (_autoWhoPending.count())
842         return;
843
844     while (!_autoWhoQueue.isEmpty()) {
845         QString chan = _autoWhoQueue.takeFirst();
846         IrcChannel *ircchan = ircChannel(chan);
847         if (!ircchan) continue;
848         if (networkConfig()->autoWhoNickLimit() > 0 && ircchan->ircUsers().count() >= networkConfig()->autoWhoNickLimit())
849             continue;
850         _autoWhoPending[chan]++;
851         putRawLine("WHO " + serverEncode(chan));
852         break;
853     }
854     if (_autoWhoQueue.isEmpty() && networkConfig()->autoWhoEnabled() && !_autoWhoCycleTimer.isActive()) {
855         // Timer was stopped, means a new cycle is due immediately
856         _autoWhoCycleTimer.start();
857         startAutoWhoCycle();
858     }
859 }
860
861
862 #ifdef HAVE_SSL
863 void CoreNetwork::sslErrors(const QList<QSslError> &sslErrors)
864 {
865     Q_UNUSED(sslErrors)
866     socket.ignoreSslErrors();
867     // TODO errorhandling
868 }
869
870
871 #endif  // HAVE_SSL
872
873 void CoreNetwork::fillBucketAndProcessQueue()
874 {
875     if (_tokenBucket < _burstSize) {
876         _tokenBucket++;
877     }
878
879     while (_msgQueue.size() > 0 && _tokenBucket > 0) {
880         writeToSocket(_msgQueue.takeFirst());
881     }
882 }
883
884
885 void CoreNetwork::writeToSocket(const QByteArray &data)
886 {
887     socket.write(data);
888     socket.write("\r\n");
889     _tokenBucket--;
890 }
891
892
893 Network::Server CoreNetwork::usedServer() const
894 {
895     if (_lastUsedServerIndex < serverList().count())
896         return serverList()[_lastUsedServerIndex];
897
898     if (!serverList().isEmpty())
899         return serverList()[0];
900
901     return Network::Server();
902 }
903
904
905 void CoreNetwork::requestConnect() const
906 {
907     if (connectionState() != Disconnected) {
908         qWarning() << "Requesting connect while already being connected!";
909         return;
910     }
911     QMetaObject::invokeMethod(const_cast<CoreNetwork *>(this), "connectToIrc", Qt::QueuedConnection);
912 }
913
914
915 void CoreNetwork::requestDisconnect() const
916 {
917     if (connectionState() == Disconnected) {
918         qWarning() << "Requesting disconnect while not being connected!";
919         return;
920     }
921     userInputHandler()->handleQuit(BufferInfo(), QString());
922 }
923
924
925 void CoreNetwork::requestSetNetworkInfo(const NetworkInfo &info)
926 {
927     Network::Server currentServer = usedServer();
928     setNetworkInfo(info);
929     Core::updateNetwork(coreSession()->user(), info);
930
931     // the order of the servers might have changed,
932     // so we try to find the previously used server
933     _lastUsedServerIndex = 0;
934     for (int i = 0; i < serverList().count(); i++) {
935         Network::Server server = serverList()[i];
936         if (server.host == currentServer.host && server.port == currentServer.port) {
937             _lastUsedServerIndex = i;
938             break;
939         }
940     }
941 }