Refactor SignalProxy, network and protocol code
[quassel.git] / src / core / core.cpp
index 1df55da..f5b554f 100644 (file)
@@ -1,11 +1,11 @@
 /***************************************************************************
- *   Copyright (C) 2005-07 by The Quassel IRC Development Team             *
+ *   Copyright (C) 2005-2012 by the Quassel Project                        *
  *   devel@quassel-irc.org                                                 *
  *                                                                         *
  *   This program is free software; you can redistribute it and/or modify  *
  *   it under the terms of the GNU General Public License as published by  *
  *   the Free Software Foundation; either version 2 of the License, or     *
- *   (at your option) any later version.                                   *
+ *   (at your option) version 3.                                           *
  *                                                                         *
  *   This program is distributed in the hope that it will be useful,       *
  *   but WITHOUT ANY WARRANTY; without even the implied warranty of        *
  *   You should have received a copy of the GNU General Public License     *
  *   along with this program; if not, write to the                         *
  *   Free Software Foundation, Inc.,                                       *
- *   59 Temple Place - Suite 330, Boston, MA  02111-1307, USA.             *
+ *   51 Franklin Street, Fifth Floor, Boston, MA  02110-1301, USA.         *
  ***************************************************************************/
 
+#include <QCoreApplication>
+
 #include "core.h"
-#include "server.h"
-#include "global.h"
-#include "util.h"
-#include "coreproxy.h"
+#include "coresession.h"
+#include "coresettings.h"
+#include "internalconnection.h"
+#include "postgresqlstorage.h"
+#include "quassel.h"
+#include "signalproxy.h"
 #include "sqlitestorage.h"
+#include "network.h"
+#include "logger.h"
+
+#include "util.h"
+
+#include "protocols/legacy/legacyconnection.h"
+
+// migration related
+#include <QFile>
+#ifdef Q_OS_WIN32
+#  include <windows.h>
+#else
+#  include <unistd.h>
+#  include <termios.h>
+#endif /* Q_OS_WIN32 */
+
+#ifdef HAVE_UMASK
+#  include <sys/types.h>
+#  include <sys/stat.h>
+#endif /* HAVE_UMASK */
+
+// ==============================
+//  Custom Events
+// ==============================
+const int Core::AddClientEventId = QEvent::registerEventType();
 
-#include <QtSql>
-#include <QSettings>
+class AddClientEvent : public QEvent
+{
+public:
+    AddClientEvent(RemoteConnection *connection, UserId uid) : QEvent(QEvent::Type(Core::AddClientEventId)), connection(connection), userId(uid) {}
+    RemoteConnection *connection;
+    UserId userId;
+};
 
+
+// ==============================
+//  Core
+// ==============================
 Core *Core::instanceptr = 0;
 
-Core * Core::instance() {
-  if(instanceptr) return instanceptr;
-  instanceptr = new Core();
-  instanceptr->init();
-  return instanceptr;
+Core *Core::instance()
+{
+    if (instanceptr) return instanceptr;
+    instanceptr = new Core();
+    instanceptr->init();
+    return instanceptr;
+}
+
+
+void Core::destroy()
+{
+    delete instanceptr;
+    instanceptr = 0;
 }
 
-void Core::destroy() {
-  delete instanceptr;
-  instanceptr = 0;
-}
-
-Core::Core() {
-  qDebug() << "core";
-}
-
-void Core::init() {
-  if(!SqliteStorage::isAvailable()) {
-    qFatal("Sqlite is currently required! Please make sure your Qt library has sqlite support enabled.");
-  }
-  //SqliteStorage::init();
-  storage = new SqliteStorage();
-  connect(Global::instance(), SIGNAL(dataPutLocally(UserId, QString)), this, SLOT(updateGlobalData(UserId, QString)));
-  connect(&server, SIGNAL(newConnection()), this, SLOT(incomingConnection()));
-  //startListening(); // FIXME
-  if(Global::runMode == Global::Monolithic) {  // TODO Make GUI user configurable
-    try {
-      guiUser = storage->validateUser("Default", "password");
-    } catch(Storage::AuthError) {
-      guiUser = storage->addUser("Default", "password");
-    }
-    Q_ASSERT(guiUser);
-    Global::setGuiUser(guiUser);
-    createSession(guiUser);
-  } else guiUser = 0;
-
-  // Read global settings from config file
-  QSettings s;
-  s.beginGroup("Global");
-  foreach(QString unum, s.childGroups()) {
-    UserId uid = unum.toUInt();
-    s.beginGroup(unum);
-    foreach(QString key, s.childKeys()) {
-      Global::updateData(uid, key, s.value(key));
-    }
-    s.endGroup();
-  }
-  s.endGroup();
-}
-
-Core::~Core() {
-  foreach(QTcpSocket *sock, validClients.keys()) {
-    delete sock;
-  }
-  qDeleteAll(sessions);
-  delete storage;
-}
-
-CoreSession *Core::session(UserId uid) {
-  Core *core = instance();
-  if(core->sessions.contains(uid)) return core->sessions[uid];
-  else return 0;
-}
-
-CoreSession *Core::localSession() {
-  Core *core = instance();
-  if(core->guiUser && core->sessions.contains(core->guiUser)) return core->sessions[core->guiUser];
-  else return 0;
-}
-
-CoreSession *Core::createSession(UserId uid) {
-  Core *core = instance();
-  Q_ASSERT(!core->sessions.contains(uid));
-  CoreSession *sess = new CoreSession(uid, core->storage);
-  core->sessions[uid] = sess;
-  connect(sess, SIGNAL(proxySignal(CoreSignal, QVariant, QVariant, QVariant)), core, SLOT(recvProxySignal(CoreSignal, QVariant, QVariant, QVariant)));
-  return sess;
-}
-
-
-bool Core::startListening(uint port) {
-  if(!server.listen(QHostAddress::Any, port)) {
-    qWarning(QString(QString("Could not open GUI client port %1: %2").arg(port).arg(server.errorString())).toAscii());
-    return false;
-  }
-  qDebug() << "Listening for GUI clients on port" << server.serverPort();
-  return true;
-}
-
-void Core::stopListening() {
-  server.close();
-  qDebug() << "No longer listening for GUI clients.";
-}
-
-void Core::incomingConnection() {
-  // TODO implement SSL
-  QTcpSocket *socket = server.nextPendingConnection();
-  connect(socket, SIGNAL(disconnected()), this, SLOT(clientDisconnected()));
-  connect(socket, SIGNAL(readyRead()), this, SLOT(clientHasData()));
-  blockSizes.insert(socket, (quint32)0);
-  qDebug() << "Client connected from " << socket->peerAddress().toString();
-}
-
-void Core::clientHasData() {
-  QTcpSocket *socket = dynamic_cast<QTcpSocket*>(sender());
-  Q_ASSERT(socket && blockSizes.contains(socket));
-  quint32 bsize = blockSizes.value(socket);
-  QVariant item;
-  while(readDataFromDevice(socket, bsize, item)) {
-    if(validClients.contains(socket)) {
-      QList<QVariant> sigdata = item.toList();
-      if((ClientSignal)sigdata[0].toInt() == GS_UPDATE_GLOBAL_DATA) {
-        processClientUpdate(socket, sigdata[1].toString(), sigdata[2]);
-      } else {
-        sessions[validClients[socket]]->processSignal((ClientSignal)sigdata[0].toInt(), sigdata[1], sigdata[2], sigdata[3]);
-      }
-    } else {
-      // we need to auth the client
-      try {
-        processClientInit(socket, item);
-      } catch(Storage::AuthError) {
-        qWarning() << "Authentification error!";  // FIXME
-        socket->close();
+
+Core::Core()
+    : _storage(0)
+{
+#ifdef HAVE_UMASK
+    umask(S_IRWXG | S_IRWXO);
+#endif
+    _startTime = QDateTime::currentDateTime().toUTC(); // for uptime :)
+
+    Quassel::loadTranslation(QLocale::system());
+
+    // FIXME: MIGRATION 0.3 -> 0.4: Move database and core config to new location
+    // Move settings, note this does not delete the old files
+#ifdef Q_WS_MAC
+    QSettings newSettings("quassel-irc.org", "quasselcore");
+#else
+
+# ifdef Q_WS_WIN
+    QSettings::Format format = QSettings::IniFormat;
+# else
+    QSettings::Format format = QSettings::NativeFormat;
+# endif
+    QString newFilePath = Quassel::configDirPath() + "quasselcore"
+                          + ((format == QSettings::NativeFormat) ? QLatin1String(".conf") : QLatin1String(".ini"));
+    QSettings newSettings(newFilePath, format);
+#endif /* Q_WS_MAC */
+
+    if (newSettings.value("Config/Version").toUInt() == 0) {
+#   ifdef Q_WS_MAC
+        QString org = "quassel-irc.org";
+#   else
+        QString org = "Quassel Project";
+#   endif
+        QSettings oldSettings(org, "Quassel Core");
+        if (oldSettings.allKeys().count()) {
+            qWarning() << "\n\n*** IMPORTANT: Config and data file locations have changed. Attempting to auto-migrate your core settings...";
+            foreach(QString key, oldSettings.allKeys())
+            newSettings.setValue(key, oldSettings.value(key));
+            newSettings.setValue("Config/Version", 1);
+            qWarning() << "*   Your core settings have been migrated to" << newSettings.fileName();
+
+#ifndef Q_WS_MAC /* we don't need to move the db and cert for mac */
+#ifdef Q_OS_WIN32
+            QString quasselDir = qgetenv("APPDATA") + "/quassel/";
+#elif defined Q_WS_MAC
+            QString quasselDir = QDir::homePath() + "/Library/Application Support/Quassel/";
+#else
+            QString quasselDir = QDir::homePath() + "/.quassel/";
+#endif
+
+            QFileInfo info(Quassel::configDirPath() + "quassel-storage.sqlite");
+            if (!info.exists()) {
+                // move database, if we found it
+                QFile oldDb(quasselDir + "quassel-storage.sqlite");
+                if (oldDb.exists()) {
+                    bool success = oldDb.rename(Quassel::configDirPath() + "quassel-storage.sqlite");
+                    if (success)
+                        qWarning() << "*   Your database has been moved to" << Quassel::configDirPath() + "quassel-storage.sqlite";
+                    else
+                        qWarning() << "!!! Moving your database has failed. Please move it manually into" << Quassel::configDirPath();
+                }
+            }
+            // move certificate
+            QFileInfo certInfo(quasselDir + "quasselCert.pem");
+            if (certInfo.exists()) {
+                QFile cert(quasselDir + "quasselCert.pem");
+                bool success = cert.rename(Quassel::configDirPath() + "quasselCert.pem");
+                if (success)
+                    qWarning() << "*   Your certificate has been moved to" << Quassel::configDirPath() + "quasselCert.pem";
+                else
+                    qWarning() << "!!! Moving your certificate has failed. Please move it manually into" << Quassel::configDirPath();
+            }
+#endif /* !Q_WS_MAC */
+            qWarning() << "*** Migration completed.\n\n";
+        }
+    }
+    // MIGRATION end
+
+    // check settings version
+    // so far, we only have 1
+    CoreSettings s;
+    if (s.version() != 1) {
+        qCritical() << "Invalid core settings version, terminating!";
+        exit(EXIT_FAILURE);
+    }
+
+    registerStorageBackends();
+
+    connect(&_storageSyncTimer, SIGNAL(timeout()), this, SLOT(syncStorage()));
+    _storageSyncTimer.start(10 * 60 * 1000); // 10 minutes
+}
+
+
+void Core::init()
+{
+    CoreSettings cs;
+    _configured = initStorage(cs.storageSettings().toMap());
+
+    if (Quassel::isOptionSet("select-backend")) {
+        selectBackend(Quassel::optionValue("select-backend"));
+        exit(0);
+    }
+
+    if (!_configured) {
+        if (!_storageBackends.count()) {
+            qWarning() << qPrintable(tr("Could not initialize any storage backend! Exiting..."));
+            qWarning() << qPrintable(tr("Currently, Quassel supports SQLite3 and PostgreSQL. You need to build your\n"
+                                        "Qt library with the sqlite or postgres plugin enabled in order for quasselcore\n"
+                                        "to work."));
+            exit(1); // TODO make this less brutal (especially for mono client -> popup)
+        }
+        qWarning() << "Core is currently not configured! Please connect with a Quassel Client for basic setup.";
+    }
+
+    if (Quassel::isOptionSet("add-user")) {
+        createUser();
+        exit(0);
+    }
+
+    if (Quassel::isOptionSet("change-userpass")) {
+        changeUserPass(Quassel::optionValue("change-userpass"));
+        exit(0);
+    }
+
+    connect(&_server, SIGNAL(newConnection()), this, SLOT(incomingConnection()));
+    connect(&_v6server, SIGNAL(newConnection()), this, SLOT(incomingConnection()));
+    if (!startListening()) exit(1);  // TODO make this less brutal
+
+    if (Quassel::isOptionSet("oidentd"))
+        _oidentdConfigGenerator = new OidentdConfigGenerator(this);
+}
+
+
+Core::~Core()
+{
+    foreach(RemoteConnection *connection, clientInfo.keys()) {
+        connection->close(); // disconnect non authed clients
+    }
+    qDeleteAll(sessions);
+    qDeleteAll(_storageBackends);
+}
+
+
+/*** Session Restore ***/
+
+void Core::saveState()
+{
+    CoreSettings s;
+    QVariantMap state;
+    QVariantList activeSessions;
+    foreach(UserId user, instance()->sessions.keys()) activeSessions << QVariant::fromValue<UserId>(user);
+    state["CoreStateVersion"] = 1;
+    state["ActiveSessions"] = activeSessions;
+    s.setCoreState(state);
+}
+
+
+void Core::restoreState()
+{
+    if (!instance()->_configured) {
+        // qWarning() << qPrintable(tr("Cannot restore a state for an unconfigured core!"));
         return;
-      } catch(Exception e) {
-        qWarning() << "Client init error:" << e.msg();
-        socket->close();
+    }
+    if (instance()->sessions.count()) {
+        qWarning() << qPrintable(tr("Calling restoreState() even though active sessions exist!"));
         return;
-      }
-    }
-    blockSizes[socket] = bsize = 0;
-  }
-  blockSizes[socket] = bsize;
-}
-
-void Core::clientDisconnected() {
-  QTcpSocket *socket = dynamic_cast<QTcpSocket*>(sender());
-  blockSizes.remove(socket);
-  validClients.remove(socket);
-  qDebug() << "Client disconnected.";
-  // TODO remove unneeded sessions - if necessary/possible...
-}
-
-void Core::processClientInit(QTcpSocket *socket, const QVariant &v) {
-  VarMap msg = v.toMap();
-  if(msg["GUIProtocol"].toUInt() != GUI_PROTOCOL) {
-    //qWarning() << "Client version mismatch.";
-    throw Exception("GUI client version mismatch");
-  }
-  // Auth
-  UserId uid = storage->validateUser(msg["User"].toString(), msg["Password"].toString());  // throws exception if this failed
-
-  // Find or create session for validated user
-  CoreSession *sess;
-  if(sessions.contains(uid)) sess = sessions[uid];
-  else {
-    sess = createSession(uid);
-    validClients[socket] = uid;
-  }
-  VarMap reply;
-  VarMap coreData;
-  // FIXME
-  QStringList dataKeys = Global::keys(uid);
-  QString key;
-  foreach(key, dataKeys) {
-    coreData[key] = Global::data(key);
-  }
-  reply["CoreData"] = coreData;
-  reply["SessionState"] = sess->sessionState();
-  QList<QVariant> sigdata;
-  sigdata.append(CS_CORE_STATE); sigdata.append(QVariant(reply)); sigdata.append(QVariant()); sigdata.append(QVariant());
-  writeDataToDevice(socket, QVariant(sigdata));
-  sess->sendServerStates();
-}
-
-void Core::processClientUpdate(QTcpSocket *socket, QString key, const QVariant &data) {
-  UserId uid = validClients[socket];
-  Global::updateData(uid, key, data);
-  QList<QVariant> sigdata;
-  sigdata.append(CS_UPDATE_GLOBAL_DATA); sigdata.append(key); sigdata.append(data); sigdata.append(QVariant());
-  foreach(QTcpSocket *s, validClients.keys()) {
-    if(validClients[s] == uid && s != socket) writeDataToDevice(s, QVariant(sigdata));
-  }
-}
-
-void Core::updateGlobalData(UserId uid, QString key) {
-  QVariant data = Global::data(uid, key);
-  QList<QVariant> sigdata;
-  sigdata.append(CS_UPDATE_GLOBAL_DATA); sigdata.append(key); sigdata.append(data); sigdata.append(QVariant());
-  foreach(QTcpSocket *socket, validClients.keys()) {
-    if(validClients[socket] == uid) writeDataToDevice(socket, QVariant(sigdata));
-  }
-}
-
-void Core::recvProxySignal(CoreSignal sig, QVariant arg1, QVariant arg2, QVariant arg3) {
-  CoreSession *sess = qobject_cast<CoreSession*>(sender());
-  Q_ASSERT(sess);
-  UserId uid = sess->userId();
-  QList<QVariant> sigdata;
-  sigdata.append(sig); sigdata.append(arg1); sigdata.append(arg2); sigdata.append(arg3);
-  //qDebug() << "Sending signal: " << sigdata;
-  foreach(QTcpSocket *socket, validClients.keys()) {
-    if(validClients[socket] == uid) writeDataToDevice(socket, QVariant(sigdata));
-  }
-}
-
-/*
-  // Read global settings from config file
-  QSettings s;
-  s.beginGroup("Global");
-  QString key;
-  foreach(key, s.childKeys()) {
-    global->updateData(key, s.value(key));
-  }
-
-  global->updateData("CoreReady", true);
-  // Now that we are in sync, we can connect signals to automatically store further updates.
-  // I don't think we care if global data changed locally or if it was updated by a client. 
-  connect(global, SIGNAL(dataUpdatedRemotely(QString)), SLOT(globalDataUpdated(QString)));
-  connect(global, SIGNAL(dataPutLocally(QString)), SLOT(globalDataUpdated(QString)));
-
-}
-  */
-
-CoreSession::CoreSession(UserId uid, Storage *_storage) : user(uid), storage(_storage) {
-  coreProxy = new CoreProxy();
-
-  connect(coreProxy, SIGNAL(send(CoreSignal, QVariant, QVariant, QVariant)), this, SIGNAL(proxySignal(CoreSignal, QVariant, QVariant, QVariant)));
-  connect(coreProxy, SIGNAL(requestServerStates()), this, SIGNAL(serverStateRequested()));
-  connect(coreProxy, SIGNAL(gsRequestConnect(QStringList)), this, SLOT(connectToIrc(QStringList)));
-  connect(coreProxy, SIGNAL(gsUserInput(BufferId, QString)), this, SLOT(msgFromGui(BufferId, QString)));
-  connect(coreProxy, SIGNAL(gsImportBacklog()), storage, SLOT(importOldBacklog()));
-  connect(coreProxy, SIGNAL(gsRequestBacklog(BufferId, QVariant, QVariant)), this, SLOT(sendBacklog(BufferId, QVariant, QVariant)));
-  connect(this, SIGNAL(displayMsg(Message)), coreProxy, SLOT(csDisplayMsg(Message)));
-  connect(this, SIGNAL(displayStatusMsg(QString, QString)), coreProxy, SLOT(csDisplayStatusMsg(QString, QString)));
-  connect(this, SIGNAL(backlogData(BufferId, QList<QVariant>, bool)), coreProxy, SLOT(csBacklogData(BufferId, QList<QVariant>, bool)));
-  connect(this, SIGNAL(bufferIdUpdated(BufferId)), coreProxy, SLOT(csUpdateBufferId(BufferId)));
-  connect(storage, SIGNAL(bufferIdUpdated(BufferId)), coreProxy, SLOT(csUpdateBufferId(BufferId)));
-  connect(Global::instance(), SIGNAL(dataUpdatedRemotely(UserId, QString)), this, SLOT(globalDataUpdated(UserId, QString)));
-  connect(Global::instance(), SIGNAL(dataPutLocally(UserId, QString)), this, SLOT(globalDataUpdated(UserId, QString)));
-}
-
-CoreSession::~CoreSession() {
-
-}
-
-UserId CoreSession::userId() {
-  return user;
-}
-
-void CoreSession::processSignal(ClientSignal sig, QVariant arg1, QVariant arg2, QVariant arg3) {
-  coreProxy->recv(sig, arg1, arg2, arg3);
-}
+    }
+    CoreSettings s;
+    /* We don't check, since we are at the first version since switching to Git
+    uint statever = s.coreState().toMap()["CoreStateVersion"].toUInt();
+    if(statever < 1) {
+      qWarning() << qPrintable(tr("Core state too old, ignoring..."));
+      return;
+    }
+    */
+
+    QVariantList activeSessions = s.coreState().toMap()["ActiveSessions"].toList();
+    if (activeSessions.count() > 0) {
+        quInfo() << "Restoring previous core state...";
+        foreach(QVariant v, activeSessions) {
+            UserId user = v.value<UserId>();
+            instance()->createSession(user, true);
+        }
+    }
+}
+
+
+/*** Core Setup ***/
+QString Core::setupCoreForInternalUsage()
+{
+    Q_ASSERT(!_storageBackends.isEmpty());
+    QVariantMap setupData;
+    qsrand(QDateTime::currentDateTime().toTime_t());
+    int pass = 0;
+    for (int i = 0; i < 10; i++) {
+        pass *= 10;
+        pass += qrand() % 10;
+    }
+    setupData["AdminUser"] = "AdminUser";
+    setupData["AdminPasswd"] = QString::number(pass);
+    setupData["Backend"] = QString("SQLite"); // mono client currently needs sqlite
+    return setupCore(setupData);
+}
+
 
-void CoreSession::globalDataUpdated(UserId uid, QString key) {
-  Q_ASSERT(uid == userId());
-  QVariant data = Global::data(userId(), key);
-  QSettings s;
-  s.setValue(QString("Global/%1/").arg(userId())+key, data);
+QString Core::setupCore(QVariantMap setupData)
+{
+    QString user = setupData.take("AdminUser").toString();
+    QString password = setupData.take("AdminPasswd").toString();
+    if (user.isEmpty() || password.isEmpty()) {
+        return tr("Admin user or password not set.");
+    }
+    if (_configured || !(_configured = initStorage(setupData, true))) {
+        return tr("Could not setup storage!");
+    }
+    CoreSettings s;
+    s.setStorageSettings(setupData);
+    quInfo() << qPrintable(tr("Creating admin user..."));
+    _storage->addUser(user, password);
+    startListening(); // TODO check when we need this
+    return QString();
 }
 
-void CoreSession::connectToIrc(QStringList networks) {
-  foreach(QString net, networks) {
-    if(servers.contains(net)) {
 
-    } else {
-      Server *server = new Server(userId(), net);
-      connect(this, SIGNAL(serverStateRequested()), server, SLOT(sendState()));
-      connect(this, SIGNAL(connectToIrc(QString)), server, SLOT(connectToIrc(QString)));
-      connect(this, SIGNAL(disconnectFromIrc(QString)), server, SLOT(disconnectFromIrc(QString)));
-      connect(this, SIGNAL(msgFromGui(QString, QString, QString)), server, SLOT(userInput(QString, QString, QString)));
+/*** Storage Handling ***/
+void Core::registerStorageBackends()
+{
+    // Register storage backends here!
+    registerStorageBackend(new SqliteStorage(this));
+    registerStorageBackend(new PostgreSqlStorage(this));
+}
 
-      connect(server, SIGNAL(connected(QString)), this, SLOT(serverConnected(QString)));
-      connect(server, SIGNAL(disconnected(QString)), this, SLOT(serverDisconnected(QString)));
 
-      connect(server, SIGNAL(serverState(QString, VarMap)), coreProxy, SLOT(csServerState(QString, VarMap)));
-      //connect(server, SIGNAL(displayMsg(Message)), this, SLOT(recvMessageFromServer(Message)));
-      connect(server, SIGNAL(displayMsg(Message::Type, QString, QString, QString, quint8)), this, SLOT(recvMessageFromServer(Message::Type, QString, QString, QString, quint8)));
-      connect(server, SIGNAL(displayStatusMsg(QString)), this, SLOT(recvStatusMsgFromServer(QString)));
-      connect(server, SIGNAL(modeSet(QString, QString, QString)), coreProxy, SLOT(csModeSet(QString, QString, QString)));
-      connect(server, SIGNAL(topicSet(QString, QString, QString)), coreProxy, SLOT(csTopicSet(QString, QString, QString)));
-      connect(server, SIGNAL(nickAdded(QString, QString, VarMap)), coreProxy, SLOT(csNickAdded(QString, QString, VarMap)));
-      connect(server, SIGNAL(nickRenamed(QString, QString, QString)), coreProxy, SLOT(csNickRenamed(QString, QString, QString)));
-      connect(server, SIGNAL(nickRemoved(QString, QString)), coreProxy, SLOT(csNickRemoved(QString, QString)));
-      connect(server, SIGNAL(nickUpdated(QString, QString, VarMap)), coreProxy, SLOT(csNickUpdated(QString, QString, VarMap)));
-      connect(server, SIGNAL(ownNickSet(QString, QString)), coreProxy, SLOT(csOwnNickSet(QString, QString)));
-      connect(server, SIGNAL(queryRequested(QString, QString)), coreProxy, SLOT(csQueryRequested(QString, QString)));
-      // TODO add error handling
-      connect(server, SIGNAL(connected(QString)), coreProxy, SLOT(csServerConnected(QString)));
-      connect(server, SIGNAL(disconnected(QString)), coreProxy, SLOT(csServerDisconnected(QString)));
+bool Core::registerStorageBackend(Storage *backend)
+{
+    if (backend->isAvailable()) {
+        _storageBackends[backend->displayName()] = backend;
+        return true;
+    }
+    else {
+        backend->deleteLater();
+        return false;
+    }
+}
 
-      server->start();
-      servers[net] = server;
+
+void Core::unregisterStorageBackends()
+{
+    foreach(Storage *s, _storageBackends.values()) {
+        s->deleteLater();
     }
-    emit connectToIrc(net);
-  }
+    _storageBackends.clear();
 }
 
-void CoreSession::serverConnected(QString net) {
-  storage->getBufferId(userId(), net); // create status buffer
+
+void Core::unregisterStorageBackend(Storage *backend)
+{
+    _storageBackends.remove(backend->displayName());
+    backend->deleteLater();
 }
 
-void CoreSession::serverDisconnected(QString net) {
-  delete servers[net];
-  servers.remove(net);
-  coreProxy->csServerDisconnected(net);
+
+// old db settings:
+// "Type" => "sqlite"
+bool Core::initStorage(const QString &backend, QVariantMap settings, bool setup)
+{
+    _storage = 0;
+
+    if (backend.isEmpty()) {
+        return false;
+    }
+
+    Storage *storage = 0;
+    if (_storageBackends.contains(backend)) {
+        storage = _storageBackends[backend];
+    }
+    else {
+        qCritical() << "Selected storage backend is not available:" << backend;
+        return false;
+    }
+
+    Storage::State storageState = storage->init(settings);
+    switch (storageState) {
+    case Storage::NeedsSetup:
+        if (!setup)
+            return false;  // trigger setup process
+        if (storage->setup(settings))
+            return initStorage(backend, settings, false);
+    // if setup wasn't successfull we mark the backend as unavailable
+    case Storage::NotAvailable:
+        qCritical() << "Selected storage backend is not available:" << backend;
+        storage->deleteLater();
+        _storageBackends.remove(backend);
+        storage = 0;
+        return false;
+    case Storage::IsReady:
+        // delete all other backends
+        _storageBackends.remove(backend);
+        unregisterStorageBackends();
+        connect(storage, SIGNAL(bufferInfoUpdated(UserId, const BufferInfo &)), this, SIGNAL(bufferInfoUpdated(UserId, const BufferInfo &)));
+    }
+    _storage = storage;
+    return true;
 }
 
-void CoreSession::msgFromGui(BufferId bufid, QString msg) {
-  emit msgFromGui(bufid.network(), bufid.buffer(), msg);
+
+bool Core::initStorage(QVariantMap dbSettings, bool setup)
+{
+    return initStorage(dbSettings["Backend"].toString(), dbSettings["ConnectionProperties"].toMap(), setup);
 }
 
-// ALL messages coming pass through these functions before going to the GUI.
-// So this is the perfect place for storing the backlog and log stuff.
 
-void CoreSession::recvMessageFromServer(Message::Type type, QString target, QString text, QString sender, quint8 flags) {
-  Server *s = qobject_cast<Server*>(this->sender());
-  Q_ASSERT(s);
-  BufferId buf;
-  if((flags & Message::PrivMsg) && !(flags & Message::Self)) {
-    buf = storage->getBufferId(user, s->getNetwork(), nickFromMask(sender));
-  } else {
-    buf = storage->getBufferId(user, s->getNetwork(), target);
-  }
-  Message msg(buf, type, text, sender, flags);
-  msg.msgId = storage->logMessage(msg); //qDebug() << msg.msgId;
-  Q_ASSERT(msg.msgId);
-  emit displayMsg(msg);
+void Core::syncStorage()
+{
+    if (_storage)
+        _storage->sync();
 }
 
-void CoreSession::recvStatusMsgFromServer(QString msg) {
-  Server *s = qobject_cast<Server*>(sender());
-  Q_ASSERT(s);
-  emit displayStatusMsg(s->getNetwork(), msg);
+
+/*** Storage Access ***/
+bool Core::createNetwork(UserId user, NetworkInfo &info)
+{
+    NetworkId networkId = instance()->_storage->createNetwork(user, info);
+    if (!networkId.isValid())
+        return false;
+
+    info.networkId = networkId;
+    return true;
 }
 
 
-QList<BufferId> CoreSession::buffers() const {
-  return storage->requestBuffers(user);
+/*** Network Management ***/
+
+bool Core::startListening()
+{
+    // in mono mode we only start a local port if a port is specified in the cli call
+    if (Quassel::runMode() == Quassel::Monolithic && !Quassel::isOptionSet("port"))
+        return true;
+
+    bool success = false;
+    uint port = Quassel::optionValue("port").toUInt();
+
+    const QString listen = Quassel::optionValue("listen");
+    const QStringList listen_list = listen.split(",", QString::SkipEmptyParts);
+    if (listen_list.size() > 0) {
+        foreach(const QString listen_term, listen_list) { // TODO: handle multiple interfaces for same TCP version gracefully
+            QHostAddress addr;
+            if (!addr.setAddress(listen_term)) {
+                qCritical() << qPrintable(
+                    tr("Invalid listen address %1")
+                    .arg(listen_term)
+                    );
+            }
+            else {
+                switch (addr.protocol()) {
+                case QAbstractSocket::IPv6Protocol:
+                    if (_v6server.listen(addr, port)) {
+                        quInfo() << qPrintable(
+                            tr("Listening for GUI clients on IPv6 %1 port %2 using protocol version %3")
+                            .arg(addr.toString())
+                            .arg(_v6server.serverPort())
+                            .arg(Quassel::buildInfo().protocolVersion)
+                            );
+                        success = true;
+                    }
+                    else
+                        quWarning() << qPrintable(
+                            tr("Could not open IPv6 interface %1:%2: %3")
+                            .arg(addr.toString())
+                            .arg(port)
+                            .arg(_v6server.errorString()));
+                    break;
+                case QAbstractSocket::IPv4Protocol:
+                    if (_server.listen(addr, port)) {
+                        quInfo() << qPrintable(
+                            tr("Listening for GUI clients on IPv4 %1 port %2 using protocol version %3")
+                            .arg(addr.toString())
+                            .arg(_server.serverPort())
+                            .arg(Quassel::buildInfo().protocolVersion)
+                            );
+                        success = true;
+                    }
+                    else {
+                        // if v6 succeeded on Any, the port will be already in use - don't display the error then
+                        if (!success || _server.serverError() != QAbstractSocket::AddressInUseError)
+                            quWarning() << qPrintable(
+                                tr("Could not open IPv4 interface %1:%2: %3")
+                                .arg(addr.toString())
+                                .arg(port)
+                                .arg(_server.errorString()));
+                    }
+                    break;
+                default:
+                    qCritical() << qPrintable(
+                        tr("Invalid listen address %1, unknown network protocol")
+                        .arg(listen_term)
+                        );
+                    break;
+                }
+            }
+        }
+    }
+    if (!success)
+        quError() << qPrintable(tr("Could not open any network interfaces to listen on!"));
+
+    return success;
 }
 
 
-QVariant CoreSession::sessionState() {
-  VarMap v;
-  QList<QVariant> bufs;
-  foreach(BufferId id, storage->requestBuffers(user)) { bufs.append(QVariant::fromValue(id)); }
-  v["Buffers"] = bufs;
+void Core::stopListening(const QString &reason)
+{
+    bool wasListening = false;
+    if (_server.isListening()) {
+        wasListening = true;
+        _server.close();
+    }
+    if (_v6server.isListening()) {
+        wasListening = true;
+        _v6server.close();
+    }
+    if (wasListening) {
+        if (reason.isEmpty())
+            quInfo() << "No longer listening for GUI clients.";
+        else
+            quInfo() << qPrintable(reason);
+    }
+}
+
+
+void Core::incomingConnection()
+{
+    QTcpServer *server = qobject_cast<QTcpServer *>(sender());
+    Q_ASSERT(server);
+    while (server->hasPendingConnections()) {
+        QTcpSocket *socket = server->nextPendingConnection();
+        RemoteConnection *connection = new LegacyConnection(socket, this);
+
+        connect(connection, SIGNAL(disconnected()), SLOT(clientDisconnected()));
+        connect(connection, SIGNAL(dataReceived(QVariant)), SLOT(processClientMessage(QVariant)));
+        connect(connection, SIGNAL(error(QAbstractSocket::SocketError)), SLOT(socketError(QAbstractSocket::SocketError)));
 
-  return v;
+        clientInfo.insert(connection, QVariantMap());
+        quInfo() << qPrintable(tr("Client connected from"))  << qPrintable(socket->peerAddress().toString());
+
+        if (!_configured) {
+            stopListening(tr("Closing server for basic setup."));
+        }
+    }
 }
 
-void CoreSession::sendServerStates() {
-  emit serverStateRequested();
+
+void Core::processClientMessage(const QVariant &data)
+{
+    RemoteConnection *connection = qobject_cast<RemoteConnection *>(sender());
+    if (!connection) {
+        qWarning() << Q_FUNC_INFO << "Message not sent by RemoteConnection!";
+        return;
+    }
+
+    QVariantMap msg = data.toMap();
+    if (!msg.contains("MsgType")) {
+        // Client is way too old, does not even use the current init format
+        qWarning() << qPrintable(tr("Antique client trying to connect... refusing."));
+        connection->close();
+        return;
+    }
+
+    // OK, so we have at least an init message format we can understand
+    if (msg["MsgType"] == "ClientInit") {
+        QVariantMap reply;
+
+        // Just version information -- check it!
+        uint ver = msg["ProtocolVersion"].toUInt();
+        if (ver < Quassel::buildInfo().coreNeedsProtocol) {
+            reply["MsgType"] = "ClientInitReject";
+            reply["Error"] = tr("<b>Your Quassel Client is too old!</b><br>"
+                                "This core needs at least client/core protocol version %1.<br>"
+                                "Please consider upgrading your client.").arg(Quassel::buildInfo().coreNeedsProtocol);
+            connection->writeSocketData(reply);
+            qWarning() << qPrintable(tr("Client")) << connection->description() << qPrintable(tr("too old, rejecting."));
+            connection->close();
+            return;
+        }
+
+        reply["ProtocolVersion"] = Quassel::buildInfo().protocolVersion;
+        reply["CoreVersion"] = Quassel::buildInfo().fancyVersionString;
+        reply["CoreDate"] = Quassel::buildInfo().buildDate;
+        reply["CoreStartTime"] = startTime(); // v10 clients don't necessarily parse this, see below
+
+        // FIXME: newer clients no longer use the hardcoded CoreInfo (for now), since it gets the
+        //        time zone wrong. With the next protocol bump (10 -> 11), we should remove this
+        //        or make it properly configurable.
+
+        int uptime = startTime().secsTo(QDateTime::currentDateTime().toUTC());
+        int updays = uptime / 86400; uptime %= 86400;
+        int uphours = uptime / 3600; uptime %= 3600;
+        int upmins = uptime / 60;
+        reply["CoreInfo"] = tr("<b>Quassel Core Version %1</b><br>"
+                               "Built: %2<br>"
+                               "Up %3d%4h%5m (since %6)").arg(Quassel::buildInfo().fancyVersionString)
+                            .arg(Quassel::buildInfo().buildDate)
+                            .arg(updays).arg(uphours, 2, 10, QChar('0')).arg(upmins, 2, 10, QChar('0')).arg(startTime().toString(Qt::TextDate));
+
+        reply["CoreFeatures"] = (int)Quassel::features();
+
+#ifdef HAVE_SSL
+        SslServer *sslServer = qobject_cast<SslServer *>(&_server);
+        QSslSocket *sslSocket = qobject_cast<QSslSocket *>(connection->socket());
+        bool supportSsl = sslServer && sslSocket && sslServer->isCertValid();
+#else
+        bool supportSsl = false;
+#endif
+
+#ifndef QT_NO_COMPRESS
+        bool supportsCompression = true;
+#else
+        bool supportsCompression = false;
+#endif
+
+        reply["SupportSsl"] = supportSsl;
+        reply["SupportsCompression"] = supportsCompression;
+        // switch to ssl/compression after client has been informed about our capabilities (see below)
+
+        reply["LoginEnabled"] = true;
+
+        // check if we are configured, start wizard otherwise
+        if (!_configured) {
+            reply["Configured"] = false;
+            QList<QVariant> backends;
+            foreach(Storage *backend, _storageBackends.values()) {
+                QVariantMap v;
+                v["DisplayName"] = backend->displayName();
+                v["Description"] = backend->description();
+                v["SetupKeys"] = backend->setupKeys();
+                v["SetupDefaults"] = backend->setupDefaults();
+                backends.append(v);
+            }
+            reply["StorageBackends"] = backends;
+            reply["LoginEnabled"] = false;
+        }
+        else {
+            reply["Configured"] = true;
+        }
+        clientInfo[connection] = msg; // store for future reference
+        reply["MsgType"] = "ClientInitAck";
+        connection->writeSocketData(reply);
+        connection->socket()->flush(); // ensure that the write cache is flushed before we switch to ssl
+
+#ifdef HAVE_SSL
+        // after we told the client that we are ssl capable we switch to ssl mode
+        if (supportSsl && msg["UseSsl"].toBool()) {
+            qDebug() << qPrintable(tr("Starting TLS for Client:"))  << connection->description();
+            connect(sslSocket, SIGNAL(sslErrors(const QList<QSslError> &)), SLOT(sslErrors(const QList<QSslError> &)));
+            sslSocket->startServerEncryption();
+        }
+#endif
+
+#ifndef QT_NO_COMPRESS
+        if (supportsCompression && msg["UseCompression"].toBool()) {
+            connection->socket()->setProperty("UseCompression", true);
+            qDebug() << "Using compression for Client:" << qPrintable(connection->socket()->peerAddress().toString());
+        }
+#endif
+    }
+    else {
+        // for the rest, we need an initialized connection
+        if (!clientInfo.contains(connection)) {
+            QVariantMap reply;
+            reply["MsgType"] = "ClientLoginReject";
+            reply["Error"] = tr("<b>Client not initialized!</b><br>You need to send an init message before trying to login.");
+            connection->writeSocketData(reply);
+            qWarning() << qPrintable(tr("Client")) << qPrintable(connection->socket()->peerAddress().toString()) << qPrintable(tr("did not send an init message before trying to login, rejecting."));
+            connection->close(); return;
+        }
+        if (msg["MsgType"] == "CoreSetupData") {
+            QVariantMap reply;
+            QString result = setupCore(msg["SetupData"].toMap());
+            if (!result.isEmpty()) {
+                reply["MsgType"] = "CoreSetupReject";
+                reply["Error"] = result;
+            }
+            else {
+                reply["MsgType"] = "CoreSetupAck";
+            }
+            connection->writeSocketData(reply);
+        }
+        else if (msg["MsgType"] == "ClientLogin") {
+            QVariantMap reply;
+            UserId uid = _storage->validateUser(msg["User"].toString(), msg["Password"].toString());
+            if (uid == 0) {
+                reply["MsgType"] = "ClientLoginReject";
+                reply["Error"] = tr("<b>Invalid username or password!</b><br>The username/password combination you supplied could not be found in the database.");
+                connection->writeSocketData(reply);
+                return;
+            }
+            reply["MsgType"] = "ClientLoginAck";
+            connection->writeSocketData(reply);
+            quInfo() << qPrintable(tr("Client")) << qPrintable(connection->socket()->peerAddress().toString()) << qPrintable(tr("initialized and authenticated successfully as \"%1\" (UserId: %2).").arg(msg["User"].toString()).arg(uid.toInt()));
+            setupClientSession(connection, uid);
+        }
+    }
 }
 
-void CoreSession::sendBacklog(BufferId id, QVariant v1, QVariant v2) {
-  QList<QVariant> log;
-  QList<Message> msglist;
-  if(v1.type() == QVariant::DateTime) {
 
+// Potentially called during the initialization phase (before handing the connection off to the session)
+void Core::clientDisconnected()
+{
+    RemoteConnection *connection = qobject_cast<RemoteConnection *>(sender());
+    Q_ASSERT(connection);
 
-  } else {
-    msglist = storage->requestMsgs(id, v1.toInt(), v2.toInt());
-  }
+    quInfo() << qPrintable(tr("Non-authed client disconnected.")) << qPrintable(connection->socket()->peerAddress().toString());
+    clientInfo.remove(connection);
+    connection->deleteLater();
 
-  // Send messages out in smaller packages - we don't want to make the signal data too large!
-  for(int i = 0; i < msglist.count(); i++) {
-    log.append(QVariant::fromValue(msglist[i]));
-    if(log.count() >= 5) {
-      emit backlogData(id, log, i >= msglist.count() - 1);
-      log.clear();
+    // make server listen again if still not configured
+    if (!_configured) {
+        startListening();
     }
-  }
-  if(log.count() > 0) emit backlogData(id, log, true);
+
+    // TODO remove unneeded sessions - if necessary/possible...
+    // Suggestion: kill sessions if they are not connected to any network and client.
+}
+
+
+void Core::setupClientSession(RemoteConnection *connection, UserId uid)
+{
+    // From now on everything is handled by the client session
+    disconnect(connection, 0, this, 0);
+    connection->socket()->flush();
+    clientInfo.remove(connection);
+
+    // Find or create session for validated user
+    SessionThread *session;
+    if (sessions.contains(uid)) {
+        session = sessions[uid];
+    }
+    else {
+        session = createSession(uid);
+        if (!session) {
+            qWarning() << qPrintable(tr("Could not initialize session for client:")) << qPrintable(connection->socket()->peerAddress().toString());
+            connection->close();
+            return;
+        }
+    }
+
+    // as we are currently handling an event triggered by incoming data on this socket
+    // it is unsafe to directly move the socket to the client thread.
+    QCoreApplication::postEvent(this, new AddClientEvent(connection, uid));
+}
+
+
+void Core::customEvent(QEvent *event)
+{
+    if (event->type() == AddClientEventId) {
+        AddClientEvent *addClientEvent = static_cast<AddClientEvent *>(event);
+        addClientHelper(addClientEvent->connection, addClientEvent->userId);
+        return;
+    }
+}
+
+
+void Core::addClientHelper(RemoteConnection *connection, UserId uid)
+{
+    // Find or create session for validated user
+    if (!sessions.contains(uid)) {
+        qWarning() << qPrintable(tr("Could not find a session for client:")) << qPrintable(connection->socket()->peerAddress().toString());
+        connection->close();
+        return;
+    }
+
+    SessionThread *session = sessions[uid];
+    session->addClient(connection);
+}
+
+
+void Core::setupInternalClientSession(InternalConnection *clientConnection)
+{
+    if (!_configured) {
+        stopListening();
+        setupCoreForInternalUsage();
+    }
+
+    UserId uid;
+    if (_storage) {
+        uid = _storage->internalUser();
+    }
+    else {
+        qWarning() << "Core::setupInternalClientSession(): You're trying to run monolithic Quassel with an unusable Backend! Go fix it!";
+        return;
+    }
+
+    InternalConnection *coreConnection = new InternalConnection(this);
+    coreConnection->setPeer(clientConnection);
+    clientConnection->setPeer(coreConnection);
+
+    // Find or create session for validated user
+    SessionThread *sessionThread;
+    if (sessions.contains(uid))
+        sessionThread = sessions[uid];
+    else
+        sessionThread = createSession(uid);
+
+    sessionThread->addClient(coreConnection);
+}
+
+
+SessionThread *Core::createSession(UserId uid, bool restore)
+{
+    if (sessions.contains(uid)) {
+        qWarning() << "Calling createSession() when a session for the user already exists!";
+        return 0;
+    }
+    SessionThread *sess = new SessionThread(uid, restore, this);
+    sessions[uid] = sess;
+    sess->start();
+    return sess;
+}
+
+
+#ifdef HAVE_SSL
+void Core::sslErrors(const QList<QSslError> &errors)
+{
+    Q_UNUSED(errors);
+    QSslSocket *socket = qobject_cast<QSslSocket *>(sender());
+    if (socket)
+        socket->ignoreSslErrors();
+}
+
+
+#endif
+
+void Core::socketError(QAbstractSocket::SocketError err)
+{
+    RemoteConnection *connection = qobject_cast<RemoteConnection *>(sender());
+    if (connection && err != QAbstractSocket::RemoteHostClosedError)
+        qWarning() << "Core::socketError()" << connection->socket() << err << connection->socket()->errorString();
+}
+
+
+// migration / backend selection
+bool Core::selectBackend(const QString &backend)
+{
+    // reregister all storage backends
+    registerStorageBackends();
+    if (!_storageBackends.contains(backend)) {
+        qWarning() << qPrintable(QString("Core::selectBackend(): unsupported backend: %1").arg(backend));
+        qWarning() << "    supported backends are:" << qPrintable(QStringList(_storageBackends.keys()).join(", "));
+        return false;
+    }
+
+    Storage *storage = _storageBackends[backend];
+    QVariantMap settings = promptForSettings(storage);
+
+    Storage::State storageState = storage->init(settings);
+    switch (storageState) {
+    case Storage::IsReady:
+        saveBackendSettings(backend, settings);
+        qWarning() << "Switched backend to:" << qPrintable(backend);
+        qWarning() << "Backend already initialized. Skipping Migration";
+        return true;
+    case Storage::NotAvailable:
+        qCritical() << "Backend is not available:" << qPrintable(backend);
+        return false;
+    case Storage::NeedsSetup:
+        if (!storage->setup(settings)) {
+            qWarning() << qPrintable(QString("Core::selectBackend(): unable to setup backend: %1").arg(backend));
+            return false;
+        }
+
+        if (storage->init(settings) != Storage::IsReady) {
+            qWarning() << qPrintable(QString("Core::migrateBackend(): unable to initialize backend: %1").arg(backend));
+            return false;
+        }
+
+        saveBackendSettings(backend, settings);
+        qWarning() << "Switched backend to:" << qPrintable(backend);
+        break;
+    }
+
+    // let's see if we have a current storage object we can migrate from
+    AbstractSqlMigrationReader *reader = getMigrationReader(_storage);
+    AbstractSqlMigrationWriter *writer = getMigrationWriter(storage);
+    if (reader && writer) {
+        qDebug() << qPrintable(QString("Migrating Storage backend %1 to %2...").arg(_storage->displayName(), storage->displayName()));
+        delete _storage;
+        _storage = 0;
+        delete storage;
+        storage = 0;
+        if (reader->migrateTo(writer)) {
+            qDebug() << "Migration finished!";
+            saveBackendSettings(backend, settings);
+            return true;
+        }
+        return false;
+        qWarning() << qPrintable(QString("Core::migrateDb(): unable to migrate storage backend! (No migration writer for %1)").arg(backend));
+    }
+
+    // inform the user why we cannot merge
+    if (!_storage) {
+        qWarning() << "No currently active backend. Skipping migration.";
+    }
+    else if (!reader) {
+        qWarning() << "Currently active backend does not support migration:" << qPrintable(_storage->displayName());
+    }
+    if (writer) {
+        qWarning() << "New backend does not support migration:" << qPrintable(backend);
+    }
+
+    // so we were unable to merge, but let's create a user \o/
+    _storage = storage;
+    createUser();
+    return true;
+}
+
+
+void Core::createUser()
+{
+    QTextStream out(stdout);
+    QTextStream in(stdin);
+    out << "Add a new user:" << endl;
+    out << "Username: ";
+    out.flush();
+    QString username = in.readLine().trimmed();
+
+    disableStdInEcho();
+    out << "Password: ";
+    out.flush();
+    QString password = in.readLine().trimmed();
+    out << endl;
+    out << "Repeat Password: ";
+    out.flush();
+    QString password2 = in.readLine().trimmed();
+    out << endl;
+    enableStdInEcho();
+
+    if (password != password2) {
+        qWarning() << "Passwords don't match!";
+        return;
+    }
+    if (password.isEmpty()) {
+        qWarning() << "Password is empty!";
+        return;
+    }
+
+    if (_configured && _storage->addUser(username, password).isValid()) {
+        out << "Added user " << username << " successfully!" << endl;
+    }
+    else {
+        qWarning() << "Unable to add user:" << qPrintable(username);
+    }
+}
+
+
+void Core::changeUserPass(const QString &username)
+{
+    QTextStream out(stdout);
+    QTextStream in(stdin);
+    UserId userId = _storage->getUserId(username);
+    if (!userId.isValid()) {
+        out << "User " << username << " does not exist." << endl;
+        return;
+    }
+
+    out << "Change password for user: " << username << endl;
+
+    disableStdInEcho();
+    out << "New Password: ";
+    out.flush();
+    QString password = in.readLine().trimmed();
+    out << endl;
+    out << "Repeat Password: ";
+    out.flush();
+    QString password2 = in.readLine().trimmed();
+    out << endl;
+    enableStdInEcho();
+
+    if (password != password2) {
+        qWarning() << "Passwords don't match!";
+        return;
+    }
+    if (password.isEmpty()) {
+        qWarning() << "Password is empty!";
+        return;
+    }
+
+    if (_configured && _storage->updateUser(userId, password)) {
+        out << "Password changed successfully!" << endl;
+    }
+    else {
+        qWarning() << "Failed to change password!";
+    }
+}
+
+
+AbstractSqlMigrationReader *Core::getMigrationReader(Storage *storage)
+{
+    if (!storage)
+        return 0;
+
+    AbstractSqlStorage *sqlStorage = qobject_cast<AbstractSqlStorage *>(storage);
+    if (!sqlStorage) {
+        qDebug() << "Core::migrateDb(): only SQL based backends can be migrated!";
+        return 0;
+    }
+
+    return sqlStorage->createMigrationReader();
+}
+
+
+AbstractSqlMigrationWriter *Core::getMigrationWriter(Storage *storage)
+{
+    if (!storage)
+        return 0;
+
+    AbstractSqlStorage *sqlStorage = qobject_cast<AbstractSqlStorage *>(storage);
+    if (!sqlStorage) {
+        qDebug() << "Core::migrateDb(): only SQL based backends can be migrated!";
+        return 0;
+    }
+
+    return sqlStorage->createMigrationWriter();
+}
+
+
+void Core::saveBackendSettings(const QString &backend, const QVariantMap &settings)
+{
+    QVariantMap dbsettings;
+    dbsettings["Backend"] = backend;
+    dbsettings["ConnectionProperties"] = settings;
+    CoreSettings().setStorageSettings(dbsettings);
+}
+
+
+QVariantMap Core::promptForSettings(const Storage *storage)
+{
+    QVariantMap settings;
+
+    QStringList keys = storage->setupKeys();
+    if (keys.isEmpty())
+        return settings;
+
+    QTextStream out(stdout);
+    QTextStream in(stdin);
+    out << "Default values are in brackets" << endl;
+
+    QVariantMap defaults = storage->setupDefaults();
+    QString value;
+    foreach(QString key, keys) {
+        QVariant val;
+        if (defaults.contains(key)) {
+            val = defaults[key];
+        }
+        out << key;
+        if (!val.toString().isEmpty()) {
+            out << " (" << val.toString() << ")";
+        }
+        out << ": ";
+        out.flush();
+
+        bool noEcho = QString("password").toLower().startsWith(key.toLower());
+        if (noEcho) {
+            disableStdInEcho();
+        }
+        value = in.readLine().trimmed();
+        if (noEcho) {
+            out << endl;
+            enableStdInEcho();
+        }
+
+        if (!value.isEmpty()) {
+            switch (defaults[key].type()) {
+            case QVariant::Int:
+                val = QVariant(value.toInt());
+                break;
+            default:
+                val = QVariant(value);
+            }
+        }
+        settings[key] = val;
+    }
+    return settings;
+}
+
+
+#ifdef Q_OS_WIN32
+void Core::stdInEcho(bool on)
+{
+    HANDLE hStdin = GetStdHandle(STD_INPUT_HANDLE);
+    DWORD mode = 0;
+    GetConsoleMode(hStdin, &mode);
+    if (on)
+        mode |= ENABLE_ECHO_INPUT;
+    else
+        mode &= ~ENABLE_ECHO_INPUT;
+    SetConsoleMode(hStdin, mode);
+}
+
+
+#else
+void Core::stdInEcho(bool on)
+{
+    termios t;
+    tcgetattr(STDIN_FILENO, &t);
+    if (on)
+        t.c_lflag |= ECHO;
+    else
+        t.c_lflag &= ~ECHO;
+    tcsetattr(STDIN_FILENO, TCSANOW, &t);
 }
 
 
-//Core *core = 0;
+#endif /* Q_OS_WIN32 */