6c544ac10da8f29a8558665c7913596c2c844323
[quassel.git] / src / common / quassel.cpp
1 /***************************************************************************
2  *   Copyright (C) 2005-2015 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 "quassel.h"
22
23 #include <iostream>
24 #include <signal.h>
25 #if !defined Q_OS_WIN && !defined Q_OS_MAC
26 #  include <sys/types.h>
27 #  include <sys/time.h>
28 #  include <sys/resource.h>
29 #endif
30
31 #include <QCoreApplication>
32 #include <QDateTime>
33 #include <QFileInfo>
34 #include <QHostAddress>
35 #include <QLibraryInfo>
36 #include <QSettings>
37 #include <QTranslator>
38 #include <QUuid>
39
40 #include "bufferinfo.h"
41 #include "identity.h"
42 #include "logger.h"
43 #include "message.h"
44 #include "network.h"
45 #include "peer.h"
46 #include "protocol.h"
47 #include "syncableobject.h"
48 #include "types.h"
49
50 #include "../../version.h"
51
52 Quassel::BuildInfo Quassel::_buildInfo;
53 AbstractCliParser *Quassel::_cliParser = 0;
54 Quassel::RunMode Quassel::_runMode;
55 QString Quassel::_configDirPath;
56 QString Quassel::_translationDirPath;
57 QStringList Quassel::_dataDirPaths;
58 bool Quassel::_initialized = false;
59 bool Quassel::DEBUG = false;
60 QString Quassel::_coreDumpFileName;
61 Quassel *Quassel::_instance = 0;
62 bool Quassel::_handleCrashes = true;
63 Quassel::LogLevel Quassel::_logLevel = InfoLevel;
64 QFile *Quassel::_logFile = 0;
65 bool Quassel::_logToSyslog = false;
66
67 Quassel::Quassel()
68 {
69     Q_ASSERT(!_instance);
70     _instance = this;
71
72     // We catch SIGTERM and SIGINT (caused by Ctrl+C) to graceful shutdown Quassel.
73     signal(SIGTERM, handleSignal);
74     signal(SIGINT, handleSignal);
75 }
76
77
78 Quassel::~Quassel()
79 {
80     if (logFile()) {
81         logFile()->close();
82         logFile()->deleteLater();
83     }
84     delete _cliParser;
85 }
86
87
88 bool Quassel::init()
89 {
90     if (_initialized)
91         return true;  // allow multiple invocations because of MonolithicApplication
92
93     if (_handleCrashes) {
94         // we have crashhandler for win32 and unix (based on execinfo).
95 #if defined(Q_OS_WIN) || defined(HAVE_EXECINFO)
96 # ifndef Q_OS_WIN
97         // we only handle crashes ourselves if coredumps are disabled
98         struct rlimit *limit = (rlimit *)malloc(sizeof(struct rlimit));
99         int rc = getrlimit(RLIMIT_CORE, limit);
100
101         if (rc == -1 || !((long)limit->rlim_cur > 0 || limit->rlim_cur == RLIM_INFINITY)) {
102 # endif /* Q_OS_WIN */
103         signal(SIGABRT, handleSignal);
104         signal(SIGSEGV, handleSignal);
105 # ifndef Q_OS_WIN
106         signal(SIGBUS, handleSignal);
107     }
108     free(limit);
109 # endif /* Q_OS_WIN */
110 #endif /* Q_OS_WIN || HAVE_EXECINFO */
111     }
112
113     _initialized = true;
114     qsrand(QTime(0, 0, 0).secsTo(QTime::currentTime()));
115
116     setupEnvironment();
117     registerMetaTypes();
118
119     Network::setDefaultCodecForServer("ISO-8859-1");
120     Network::setDefaultCodecForEncoding("UTF-8");
121     Network::setDefaultCodecForDecoding("ISO-8859-15");
122
123     if (isOptionSet("help")) {
124         cliParser()->usage();
125         return false;
126     }
127
128     if (isOptionSet("version")) {
129         std::cout << qPrintable("Quassel IRC: " + Quassel::buildInfo().plainVersionString) << std::endl;
130         return false;
131     }
132
133     DEBUG = isOptionSet("debug");
134
135     // set up logging
136     if (Quassel::runMode() != Quassel::ClientOnly) {
137         if (isOptionSet("loglevel")) {
138             QString level = optionValue("loglevel");
139
140             if (level == "Debug") _logLevel = DebugLevel;
141             else if (level == "Info") _logLevel = InfoLevel;
142             else if (level == "Warning") _logLevel = WarningLevel;
143             else if (level == "Error") _logLevel = ErrorLevel;
144         }
145
146         QString logfilename = optionValue("logfile");
147         if (!logfilename.isEmpty()) {
148             _logFile = new QFile(logfilename);
149             if (!_logFile->open(QIODevice::Append | QIODevice::Text)) {
150                 qWarning() << "Could not open log file" << logfilename << ":" << _logFile->errorString();
151                 _logFile->deleteLater();
152                 _logFile = 0;
153             }
154         }
155 #ifdef HAVE_SYSLOG
156         _logToSyslog = isOptionSet("syslog");
157 #endif
158     }
159
160     return true;
161 }
162
163
164 void Quassel::quit()
165 {
166     QCoreApplication::quit();
167 }
168
169
170 //! Register our custom types with Qt's Meta Object System.
171 /**  This makes them available for QVariant and in signals/slots, among other things.
172 *
173 */
174 void Quassel::registerMetaTypes()
175 {
176     // Complex types
177     qRegisterMetaType<Message>("Message");
178     qRegisterMetaType<BufferInfo>("BufferInfo");
179     qRegisterMetaType<NetworkInfo>("NetworkInfo");
180     qRegisterMetaType<Network::Server>("Network::Server");
181     qRegisterMetaType<Identity>("Identity");
182
183     qRegisterMetaTypeStreamOperators<Message>("Message");
184     qRegisterMetaTypeStreamOperators<BufferInfo>("BufferInfo");
185     qRegisterMetaTypeStreamOperators<NetworkInfo>("NetworkInfo");
186     qRegisterMetaTypeStreamOperators<Network::Server>("Network::Server");
187     qRegisterMetaTypeStreamOperators<Identity>("Identity");
188
189     qRegisterMetaType<IdentityId>("IdentityId");
190     qRegisterMetaType<BufferId>("BufferId");
191     qRegisterMetaType<NetworkId>("NetworkId");
192     qRegisterMetaType<UserId>("UserId");
193     qRegisterMetaType<AccountId>("AccountId");
194     qRegisterMetaType<MsgId>("MsgId");
195
196     qRegisterMetaType<QHostAddress>("QHostAddress");
197     qRegisterMetaType<QUuid>("QUuid");
198
199     qRegisterMetaTypeStreamOperators<IdentityId>("IdentityId");
200     qRegisterMetaTypeStreamOperators<BufferId>("BufferId");
201     qRegisterMetaTypeStreamOperators<NetworkId>("NetworkId");
202     qRegisterMetaTypeStreamOperators<UserId>("UserId");
203     qRegisterMetaTypeStreamOperators<AccountId>("AccountId");
204     qRegisterMetaTypeStreamOperators<MsgId>("MsgId");
205
206     qRegisterMetaType<Protocol::SessionState>("Protocol::SessionState");
207     qRegisterMetaType<PeerPtr>("PeerPtr");
208     qRegisterMetaTypeStreamOperators<PeerPtr>("PeerPtr");
209
210     // Versions of Qt prior to 4.7 didn't define QVariant as a meta type
211     if (!QMetaType::type("QVariant")) {
212         qRegisterMetaType<QVariant>("QVariant");
213         qRegisterMetaTypeStreamOperators<QVariant>("QVariant");
214     }
215 }
216
217
218 void Quassel::setupEnvironment()
219 {
220     // On modern Linux systems, XDG_DATA_DIRS contains a list of directories containing application data. This
221     // is, for example, used by Qt for finding icons and other things. In case Quassel is installed in a non-standard
222     // prefix (or run from the build directory), it makes sense to add this to XDG_DATA_DIRS so we don't have to
223     // hack extra search paths into various places.
224 #ifdef Q_OS_UNIX
225     QString xdgDataVar = QFile::decodeName(qgetenv("XDG_DATA_DIRS"));
226     if (xdgDataVar.isEmpty())
227         xdgDataVar = QLatin1String("/usr/local/share:/usr/share"); // sane defaults
228
229     QStringList xdgDirs = xdgDataVar.split(QLatin1Char(':'), QString::SkipEmptyParts);
230
231     // Add our install prefix (if we're not in a bindir, this just adds the current workdir)
232     QString appDir = QCoreApplication::applicationDirPath();
233     int binpos = appDir.lastIndexOf("/bin");
234     if (binpos >= 0) {
235         appDir.replace(binpos, 4, "/share");
236         xdgDirs.append(appDir);
237         // Also append apps/quassel, this is only for QIconLoader to find icons there
238         xdgDirs.append(appDir + "/apps/quassel");
239     } else
240         xdgDirs.append(appDir);  // build directory is always the last fallback
241
242     xdgDirs.removeDuplicates();
243
244     qputenv("XDG_DATA_DIRS", QFile::encodeName(xdgDirs.join(":")));
245 #endif
246 }
247
248
249 void Quassel::setupBuildInfo()
250 {
251     _buildInfo.applicationName = "quassel";
252     _buildInfo.coreApplicationName = "quasselcore";
253     _buildInfo.clientApplicationName = "quasselclient";
254     _buildInfo.organizationName = "Quassel Project";
255     _buildInfo.organizationDomain = "quassel-irc.org";
256
257     _buildInfo.protocolVersion = 10; // FIXME: deprecated, will be removed
258
259     _buildInfo.baseVersion = QUASSEL_VERSION_STRING;
260     _buildInfo.generatedVersion = GIT_DESCRIBE;
261
262     // Check if we got a commit hash
263     if (!QString(GIT_HEAD).isEmpty()) {
264         _buildInfo.commitHash = GIT_HEAD;
265         QDateTime date;
266         date.setTime_t(GIT_COMMIT_DATE);
267         _buildInfo.commitDate = date.toString();
268     }
269     else if (!QString(DIST_HASH).contains("Format")) {
270         _buildInfo.commitHash = DIST_HASH;
271         _buildInfo.commitDate = QString(DIST_DATE);
272     }
273
274     // create a nice version string
275     if (_buildInfo.generatedVersion.isEmpty()) {
276         if (!_buildInfo.commitHash.isEmpty()) {
277             // dist version
278             _buildInfo.plainVersionString = QString("v%1 (dist-%2)")
279                                             .arg(_buildInfo.baseVersion)
280                                             .arg(_buildInfo.commitHash.left(7));
281             _buildInfo.fancyVersionString = QString("v%1 (dist-<a href=\"http://git.quassel-irc.org/?p=quassel.git;a=commit;h=%3\">%2</a>)")
282                                             .arg(_buildInfo.baseVersion)
283                                             .arg(_buildInfo.commitHash.left(7))
284                                             .arg(_buildInfo.commitHash);
285         }
286         else {
287             // we only have a base version :(
288             _buildInfo.plainVersionString = QString("v%1 (unknown revision)").arg(_buildInfo.baseVersion);
289         }
290     }
291     else {
292         // analyze what we got from git-describe
293         QRegExp rx("(.*)-(\\d+)-g([0-9a-f]+)(-dirty)?$");
294         if (rx.exactMatch(_buildInfo.generatedVersion)) {
295             QString distance = rx.cap(2) == "0" ? QString() : QString("%1+%2 ").arg(rx.cap(1), rx.cap(2));
296             _buildInfo.plainVersionString = QString("v%1 (%2git-%3%4)")
297                                             .arg(_buildInfo.baseVersion, distance, rx.cap(3), rx.cap(4));
298             if (!_buildInfo.commitHash.isEmpty()) {
299                 _buildInfo.fancyVersionString = QString("v%1 (%2git-<a href=\"http://git.quassel-irc.org/?p=quassel.git;a=commit;h=%5\">%3</a>%4)")
300                                                 .arg(_buildInfo.baseVersion, distance, rx.cap(3), rx.cap(4), _buildInfo.commitHash);
301             }
302         }
303         else {
304             _buildInfo.plainVersionString = QString("v%1 (invalid revision)").arg(_buildInfo.baseVersion);
305         }
306     }
307     if (_buildInfo.fancyVersionString.isEmpty())
308         _buildInfo.fancyVersionString = _buildInfo.plainVersionString;
309 }
310
311
312 //! Signal handler for graceful shutdown.
313 void Quassel::handleSignal(int sig)
314 {
315     switch (sig) {
316     case SIGTERM:
317     case SIGINT:
318         qWarning("%s", qPrintable(QString("Caught signal %1 - exiting.").arg(sig)));
319         if (_instance)
320             _instance->quit();
321         else
322             QCoreApplication::quit();
323         break;
324     case SIGABRT:
325     case SIGSEGV:
326 #ifndef Q_OS_WIN
327     case SIGBUS:
328 #endif
329         logBacktrace(coreDumpFileName());
330         exit(EXIT_FAILURE);
331         break;
332     default:
333         break;
334     }
335 }
336
337
338 void Quassel::logFatalMessage(const char *msg)
339 {
340 #ifdef Q_OS_MAC
341     Q_UNUSED(msg)
342 #else
343     QFile dumpFile(coreDumpFileName());
344     dumpFile.open(QIODevice::Append);
345     QTextStream dumpStream(&dumpFile);
346
347     dumpStream << "Fatal: " << msg << '\n';
348     dumpStream.flush();
349     dumpFile.close();
350 #endif
351 }
352
353
354 Quassel::Features Quassel::features()
355 {
356     Features feats = 0;
357     for (int i = 1; i <= NumFeatures; i <<= 1)
358         feats |= (Feature)i;
359
360     return feats;
361 }
362
363
364 const QString &Quassel::coreDumpFileName()
365 {
366     if (_coreDumpFileName.isEmpty()) {
367         QDir configDir(configDirPath());
368         _coreDumpFileName = configDir.absoluteFilePath(QString("Quassel-Crash-%1.log").arg(QDateTime::currentDateTime().toString("yyyyMMdd-hhmm")));
369         QFile dumpFile(_coreDumpFileName);
370         dumpFile.open(QIODevice::Append);
371         QTextStream dumpStream(&dumpFile);
372         dumpStream << "Quassel IRC: " << _buildInfo.baseVersion << ' ' << _buildInfo.commitHash << '\n';
373         qDebug() << "Quassel IRC: " << _buildInfo.baseVersion << ' ' << _buildInfo.commitHash;
374         dumpStream.flush();
375         dumpFile.close();
376     }
377     return _coreDumpFileName;
378 }
379
380
381 QString Quassel::configDirPath()
382 {
383     if (!_configDirPath.isEmpty())
384         return _configDirPath;
385
386     if (Quassel::isOptionSet("datadir")) {
387         qWarning() << "Obsolete option --datadir used!";
388         _configDirPath = Quassel::optionValue("datadir");
389     }
390     else if (Quassel::isOptionSet("configdir")) {
391         _configDirPath = Quassel::optionValue("configdir");
392     }
393     else {
394 #ifdef Q_OS_MAC
395         // On Mac, the path is always the same
396         _configDirPath = QDir::homePath() + "/Library/Application Support/Quassel/";
397 #else
398         // We abuse QSettings to find us a sensible path on the other platforms
399 #  ifdef Q_OS_WIN
400         // don't use the registry
401         QSettings::Format format = QSettings::IniFormat;
402 #  else
403         QSettings::Format format = QSettings::NativeFormat;
404 #  endif
405         QSettings s(format, QSettings::UserScope, QCoreApplication::organizationDomain(), buildInfo().applicationName);
406         QFileInfo fileInfo(s.fileName());
407         _configDirPath = fileInfo.dir().absolutePath();
408 #endif /* Q_OS_MAC */
409     }
410
411     if (!_configDirPath.endsWith(QDir::separator()) && !_configDirPath.endsWith('/'))
412         _configDirPath += QDir::separator();
413
414     QDir qDir(_configDirPath);
415     if (!qDir.exists(_configDirPath)) {
416         if (!qDir.mkpath(_configDirPath)) {
417             qCritical() << "Unable to create Quassel config directory:" << qPrintable(qDir.absolutePath());
418             return QString();
419         }
420     }
421
422     return _configDirPath;
423 }
424
425
426 QStringList Quassel::dataDirPaths()
427 {
428     return _dataDirPaths;
429 }
430
431
432 QStringList Quassel::findDataDirPaths() const
433 {
434     // We don't use QStandardPaths for now, as we still need to provide fallbacks for Qt4 and
435     // want to stay consistent.
436
437     QStringList dataDirNames;
438 #ifdef Q_OS_WIN
439     dataDirNames << qgetenv("APPDATA") + QCoreApplication::organizationDomain() + "/share/apps/quassel/"
440                  << qgetenv("APPDATA") + QCoreApplication::organizationDomain()
441                  << QCoreApplication::applicationDirPath();
442 #elif defined Q_OS_MAC
443     dataDirNames << QDir::homePath() + "/Library/Application Support/Quassel/"
444                  << QCoreApplication::applicationDirPath();
445 #else
446     // Linux et al
447
448     // XDG_DATA_HOME is the location for users to override system-installed files, usually in .local/share
449     // This should thus come first.
450     QString xdgDataHome = QFile::decodeName(qgetenv("XDG_DATA_HOME"));
451     if (xdgDataHome.isEmpty())
452         xdgDataHome = QDir::homePath() + QLatin1String("/.local/share");
453     dataDirNames << xdgDataHome;
454
455     // Now whatever is configured through XDG_DATA_DIRS
456     QString xdgDataDirs = QFile::decodeName(qgetenv("XDG_DATA_DIRS"));
457     if (xdgDataDirs.isEmpty())
458         dataDirNames << "/usr/local/share" << "/usr/share";
459     else
460         dataDirNames << xdgDataDirs.split(':', QString::SkipEmptyParts);
461
462     // Just in case, also check our install prefix
463     dataDirNames << QCoreApplication::applicationDirPath() + "/../share";
464
465     // Normalize and append our application name
466     for (int i = 0; i < dataDirNames.count(); i++)
467         dataDirNames[i] = QDir::cleanPath(dataDirNames.at(i)) + "/quassel/";
468
469 #endif
470
471     // Add resource path and workdir just in case.
472     // Workdir should have precedence
473     dataDirNames.prepend(QCoreApplication::applicationDirPath() + "/data/");
474     dataDirNames.append(":/data/");
475
476     // Append trailing '/' and check for existence
477     auto iter = dataDirNames.begin();
478     while (iter != dataDirNames.end()) {
479         if (!iter->endsWith(QDir::separator()) && !iter->endsWith('/'))
480             iter->append(QDir::separator());
481         if (!QFile::exists(*iter))
482             iter = dataDirNames.erase(iter);
483         else
484             ++iter;
485     }
486
487     dataDirNames.removeDuplicates();
488
489     return dataDirNames;
490 }
491
492
493 QString Quassel::findDataFilePath(const QString &fileName)
494 {
495     QStringList dataDirs = dataDirPaths();
496     foreach(QString dataDir, dataDirs) {
497         QString path = dataDir + fileName;
498         if (QFile::exists(path))
499             return path;
500     }
501     return QString();
502 }
503
504
505 QStringList Quassel::scriptDirPaths()
506 {
507     QStringList res(configDirPath() + "scripts/");
508     foreach(QString path, dataDirPaths())
509     res << path + "scripts/";
510     return res;
511 }
512
513
514 QString Quassel::translationDirPath()
515 {
516     if (_translationDirPath.isEmpty()) {
517         // We support only one translation dir; fallback mechanisms wouldn't work else.
518         // This means that if we have a $data/translations dir, the internal :/i18n resource won't be considered.
519         foreach(const QString &dir, dataDirPaths()) {
520             if (QFile::exists(dir + "translations/")) {
521                 _translationDirPath = dir + "translations/";
522                 break;
523             }
524         }
525         if (_translationDirPath.isEmpty())
526             _translationDirPath = ":/i18n/";
527     }
528     return _translationDirPath;
529 }
530
531
532 void Quassel::loadTranslation(const QLocale &locale)
533 {
534     QTranslator *qtTranslator = QCoreApplication::instance()->findChild<QTranslator *>("QtTr");
535     QTranslator *quasselTranslator = QCoreApplication::instance()->findChild<QTranslator *>("QuasselTr");
536
537     if (qtTranslator)
538         qApp->removeTranslator(qtTranslator);
539     if (quasselTranslator)
540         qApp->removeTranslator(quasselTranslator);
541
542     // We use QLocale::C to indicate that we don't want a translation
543     if (locale.language() == QLocale::C)
544         return;
545
546     qtTranslator = new QTranslator(qApp);
547     qtTranslator->setObjectName("QtTr");
548     qApp->installTranslator(qtTranslator);
549
550     quasselTranslator = new QTranslator(qApp);
551     quasselTranslator->setObjectName("QuasselTr");
552     qApp->installTranslator(quasselTranslator);
553
554 #if QT_VERSION >= 0x040800 && !defined Q_OS_MAC
555     bool success = qtTranslator->load(locale, QString("qt_"), translationDirPath());
556     if (!success)
557         qtTranslator->load(locale, QString("qt_"), QLibraryInfo::location(QLibraryInfo::TranslationsPath));
558     quasselTranslator->load(locale, QString(""), translationDirPath());
559 #else
560     bool success = qtTranslator->load(QString("qt_%1").arg(locale.name()), translationDirPath());
561     if (!success)
562         qtTranslator->load(QString("qt_%1").arg(locale.name()), QLibraryInfo::location(QLibraryInfo::TranslationsPath));
563     quasselTranslator->load(QString("%1").arg(locale.name()), translationDirPath());
564 #endif
565 }