Merge branch 'master' into kf6

This commit is contained in:
Tobias Fella
2023-08-29 22:57:12 +02:00
18 changed files with 352 additions and 238 deletions

View File

@@ -124,6 +124,8 @@ add_library(neochat STATIC
pollhandler.cpp pollhandler.cpp
utils.h utils.h
registration.cpp registration.cpp
neochatconnection.cpp
neochatconnection.h
) )
ecm_qt_declare_logging_category(neochat ecm_qt_declare_logging_category(neochat

View File

@@ -21,7 +21,6 @@
#include <QFile> #include <QFile>
#include <QFileInfo> #include <QFileInfo>
#include <QGuiApplication> #include <QGuiApplication>
#include <QImageReader>
#include <QNetworkProxy> #include <QNetworkProxy>
#include <QQuickTextDocument> #include <QQuickTextDocument>
#include <QQuickWindow> #include <QQuickWindow>
@@ -33,10 +32,8 @@
#include <Quotient/accountregistry.h> #include <Quotient/accountregistry.h>
#include <Quotient/connection.h> #include <Quotient/connection.h>
#include <Quotient/csapi/content-repo.h>
#include <Quotient/csapi/logout.h> #include <Quotient/csapi/logout.h>
#include <Quotient/csapi/notifications.h> #include <Quotient/csapi/notifications.h>
#include <Quotient/csapi/profile.h>
#include <Quotient/eventstats.h> #include <Quotient/eventstats.h>
#include <Quotient/jobs/downloadfilejob.h> #include <Quotient/jobs/downloadfilejob.h>
#include <Quotient/qt_connection_util.h> #include <Quotient/qt_connection_util.h>
@@ -105,8 +102,8 @@ Controller::Controller(QObject *parent)
static int oldAccountCount = 0; static int oldAccountCount = 0;
connect(&m_accountRegistry, &AccountRegistry::accountCountChanged, this, [this]() { connect(&m_accountRegistry, &AccountRegistry::accountCountChanged, this, [this]() {
if (m_accountRegistry.size() > oldAccountCount) { if (m_accountRegistry.size() > oldAccountCount) {
auto connection = m_accountRegistry.accounts()[m_accountRegistry.size() - 1]; auto connection = dynamic_cast<NeoChatConnection *>(m_accountRegistry.accounts()[m_accountRegistry.size() - 1]);
connect(connection, &Connection::syncDone, this, [connection]() { connect(connection, &NeoChatConnection::syncDone, this, [connection]() {
NotificationsManager::instance().handleNotifications(connection); NotificationsManager::instance().handleNotifications(connection);
}); });
} }
@@ -141,38 +138,7 @@ void Controller::toggleWindow()
} }
} }
void Controller::logout(Connection *conn, bool serverSideLogout) void Controller::addConnection(NeoChatConnection *c)
{
if (!conn) {
qCritical() << "Attempt to logout null connection";
return;
}
SettingsGroup("Accounts"_ls).remove(conn->userId());
QKeychain::DeletePasswordJob job(qAppName());
job.setAutoDelete(true);
job.setKey(conn->userId());
QEventLoop loop;
QKeychain::DeletePasswordJob::connect(&job, &QKeychain::Job::finished, &loop, &QEventLoop::quit);
job.start();
loop.exec();
if (m_accountRegistry.count() > 1) {
// Only set the connection if the the account being logged out is currently active
if (conn == activeConnection()) {
setActiveConnection(m_accountRegistry.accounts()[0]);
}
} else {
setActiveConnection(nullptr);
}
if (!serverSideLogout) {
return;
}
conn->logout();
}
void Controller::addConnection(Connection *c)
{ {
Q_ASSERT_X(c, __FUNCTION__, "Attempt to add a null connection"); Q_ASSERT_X(c, __FUNCTION__, "Attempt to add a null connection");
@@ -180,17 +146,17 @@ void Controller::addConnection(Connection *c)
c->setLazyLoading(true); c->setLazyLoading(true);
connect(c, &Connection::syncDone, this, [this, c] { connect(c, &NeoChatConnection::syncDone, this, [this, c] {
Q_EMIT syncDone(); Q_EMIT syncDone();
c->sync(30000); c->sync(30000);
c->saveState(); c->saveState();
}); });
connect(c, &Connection::loggedOut, this, [this, c] { connect(c, &NeoChatConnection::loggedOut, this, [this, c] {
dropConnection(c); dropConnection(c);
}); });
connect(c, &Connection::requestFailed, this, [this](BaseJob *job) { connect(c, &NeoChatConnection::requestFailed, this, [this](BaseJob *job) {
if (job->error() == BaseJob::UserConsentRequired) { if (job->error() == BaseJob::UserConsentRequired) {
Q_EMIT userConsentRequired(job->errorUrl()); Q_EMIT userConsentRequired(job->errorUrl());
} }
@@ -202,7 +168,7 @@ void Controller::addConnection(Connection *c)
Q_EMIT accountCountChanged(); Q_EMIT accountCountChanged();
} }
void Controller::dropConnection(Connection *c) void Controller::dropConnection(NeoChatConnection *c)
{ {
Q_ASSERT_X(c, __FUNCTION__, "Attempt to drop a null connection"); Q_ASSERT_X(c, __FUNCTION__, "Attempt to drop a null connection");
@@ -231,19 +197,19 @@ void Controller::invokeLogin()
return; return;
} }
auto connection = new Connection(account.homeserver()); auto connection = new NeoChatConnection(account.homeserver());
connect(connection, &Connection::connected, this, [this, connection, id] { connect(connection, &NeoChatConnection::connected, this, [this, connection, id] {
connection->loadState(); connection->loadState();
addConnection(connection); addConnection(connection);
if (connection->userId() == id) { if (connection->userId() == id) {
setActiveConnection(connection); setActiveConnection(connection);
connectSingleShot(connection, &Connection::syncDone, this, &Controller::initiated); connectSingleShot(connection, &NeoChatConnection::syncDone, this, &Controller::initiated);
} }
}); });
connect(connection, &Connection::loginError, this, [this, connection](const QString &error, const QString &) { connect(connection, &NeoChatConnection::loginError, this, [this, connection](const QString &error, const QString &) {
if (error == "Unrecognised access token"_ls) { if (error == "Unrecognised access token"_ls) {
Q_EMIT errorOccured(i18n("Login Failed: Access Token invalid or revoked")); Q_EMIT errorOccured(i18n("Login Failed: Access Token invalid or revoked"));
logout(connection, false); connection->logout(false);
} else if (error == "Connection closed"_ls) { } else if (error == "Connection closed"_ls) {
Q_EMIT errorOccured(i18n("Login Failed: %1", error)); Q_EMIT errorOccured(i18n("Login Failed: %1", error));
// Failed due to network connection issue. This might happen when the homeserver is // Failed due to network connection issue. This might happen when the homeserver is
@@ -251,11 +217,11 @@ void Controller::invokeLogin()
// connect to the homeserver. In this case, we don't want to do logout(). // connect to the homeserver. In this case, we don't want to do logout().
} else { } else {
Q_EMIT errorOccured(i18n("Login Failed: %1", error)); Q_EMIT errorOccured(i18n("Login Failed: %1", error));
logout(connection, true); connection->logout(true);
} }
Q_EMIT initiated(); Q_EMIT initiated();
}); });
connect(connection, &Connection::networkError, this, [this](const QString &error, const QString &, int, int) { connect(connection, &NeoChatConnection::networkError, this, [this](const QString &error, const QString &, int, int) {
Q_EMIT errorOccured(i18n("Network Error: %1", error)); Q_EMIT errorOccured(i18n("Network Error: %1", error));
}); });
connection->assumeIdentity(account.userId(), accessToken); connection->assumeIdentity(account.userId(), accessToken);
@@ -321,22 +287,6 @@ bool Controller::saveAccessTokenToKeyChain(const AccountSettings &account, const
return true; return true;
} }
void Controller::changeAvatar(Connection *conn, const QUrl &localFile)
{
auto job = conn->uploadFile(localFile.toLocalFile());
connect(job, &BaseJob::success, this, [conn, job] {
conn->callApi<SetAvatarUrlJob>(conn->userId(), job->contentUri());
});
}
void Controller::markAllMessagesAsRead(Connection *conn)
{
const auto rooms = conn->allRooms();
for (auto room : rooms) {
room->markAllMessagesAsRead();
}
}
bool Controller::supportSystemTray() const bool Controller::supportSystemTray() const
{ {
#ifdef Q_OS_ANDROID #ifdef Q_OS_ANDROID
@@ -347,49 +297,6 @@ bool Controller::supportSystemTray() const
#endif #endif
} }
void Controller::changePassword(Connection *connection, const QString &currentPassword, const QString &newPassword)
{
NeochatChangePasswordJob *job = connection->callApi<NeochatChangePasswordJob>(newPassword, false);
connect(job, &BaseJob::result, this, [this, job, currentPassword, newPassword, connection] {
if (job->error() == 103) {
QJsonObject replyData = job->jsonData();
QJsonObject authData;
authData["session"_ls] = replyData["session"_ls];
authData["password"_ls] = currentPassword;
authData["type"_ls] = "m.login.password"_ls;
authData["user"_ls] = connection->user()->id();
QJsonObject identifier = {{"type"_ls, "m.id.user"_ls}, {"user"_ls, connection->user()->id()}};
authData["identifier"_ls] = identifier;
NeochatChangePasswordJob *innerJob = connection->callApi<NeochatChangePasswordJob>(newPassword, false, authData);
connect(innerJob, &BaseJob::success, this, [this]() {
Q_EMIT passwordStatus(PasswordStatus::Success);
});
connect(innerJob, &BaseJob::failure, this, [innerJob, this]() {
if (innerJob->jsonData()["errcode"_ls] == "M_FORBIDDEN"_ls) {
Q_EMIT passwordStatus(PasswordStatus::Wrong);
} else {
Q_EMIT passwordStatus(PasswordStatus::Other);
}
});
}
});
}
bool Controller::setAvatar(Connection *connection, const QUrl &avatarSource)
{
User *localUser = connection->user();
QString decoded = avatarSource.path();
if (decoded.isEmpty()) {
connection->callApi<SetAvatarUrlJob>(localUser->id(), avatarSource);
return true;
}
if (QImageReader(decoded).read().isNull()) {
return false;
} else {
return localUser->setAvatar(decoded);
}
}
NeochatChangePasswordJob::NeochatChangePasswordJob(const QString &newPassword, bool logoutDevices, const Omittable<QJsonObject> &auth) NeochatChangePasswordJob::NeochatChangePasswordJob(const QString &newPassword, bool logoutDevices, const Omittable<QJsonObject> &auth)
: BaseJob(HttpVerb::Post, QStringLiteral("ChangePasswordJob"), "/_matrix/client/r0/account/password") : BaseJob(HttpVerb::Post, QStringLiteral("ChangePasswordJob"), "/_matrix/client/r0/account/password")
{ {
@@ -400,6 +307,14 @@ NeochatChangePasswordJob::NeochatChangePasswordJob(const QString &newPassword, b
setRequestData(_data); setRequestData(_data);
} }
NeoChatDeactivateAccountJob::NeoChatDeactivateAccountJob(const Quotient::Omittable<QJsonObject> &auth)
: BaseJob(HttpVerb::Post, QStringLiteral("DisableDeviceJob"), "_matrix/client/v3/account/deactivate")
{
QJsonObject data;
addParam<IfNotEmpty>(data, QStringLiteral("auth"), auth);
setRequestData(data);
}
int Controller::accountCount() const int Controller::accountCount() const
{ {
return m_accountRegistry.count(); return m_accountRegistry.count();
@@ -425,7 +340,7 @@ void Controller::setQuitOnLastWindowClosed()
#endif #endif
} }
Connection *Controller::activeConnection() const NeoChatConnection *Controller::activeConnection() const
{ {
if (m_connection.isNull()) { if (m_connection.isNull()) {
return nullptr; return nullptr;
@@ -433,49 +348,43 @@ Connection *Controller::activeConnection() const
return m_connection; return m_connection;
} }
void Controller::setActiveConnection(Connection *connection) void Controller::setActiveConnection(NeoChatConnection *connection)
{ {
if (connection == m_connection) { if (connection == m_connection) {
return; return;
} }
if (m_connection != nullptr) { if (m_connection != nullptr) {
disconnect(m_connection, &Connection::syncError, this, nullptr); disconnect(m_connection, &NeoChatConnection::syncError, this, nullptr);
disconnect(m_connection, &Connection::accountDataChanged, this, nullptr); disconnect(m_connection, &NeoChatConnection::accountDataChanged, this, nullptr);
} }
m_connection = connection; m_connection = connection;
if (connection != nullptr) { if (connection != nullptr) {
NeoChatConfig::self()->setActiveConnection(connection->userId()); NeoChatConfig::self()->setActiveConnection(connection->userId());
connect(connection, &Connection::networkError, this, [this]() { connect(connection, &NeoChatConnection::networkError, this, [this]() {
if (!m_isOnline) { if (!m_isOnline) {
return; return;
} }
m_isOnline = false; m_isOnline = false;
Q_EMIT isOnlineChanged(false); Q_EMIT isOnlineChanged(false);
}); });
connect(connection, &Connection::syncDone, this, [this] { connect(connection, &NeoChatConnection::syncDone, this, [this] {
if (m_isOnline) { if (m_isOnline) {
return; return;
} }
m_isOnline = true; m_isOnline = true;
Q_EMIT isOnlineChanged(true); Q_EMIT isOnlineChanged(true);
}); });
connect(connection, &Connection::requestFailed, this, [](BaseJob *job) { connect(connection, &NeoChatConnection::requestFailed, this, [](BaseJob *job) {
if (dynamic_cast<DownloadFileJob *>(job) && job->jsonData()["errcode"_ls].toString() == "M_TOO_LARGE"_ls) { if (dynamic_cast<DownloadFileJob *>(job) && job->jsonData()["errcode"_ls].toString() == "M_TOO_LARGE"_ls) {
RoomManager::instance().warning(i18n("File too large to download."), i18n("Contact your matrix server administrator for support.")); RoomManager::instance().warning(i18n("File too large to download."), i18n("Contact your matrix server administrator for support."));
} }
}); });
connect(connection, &Connection::accountDataChanged, this, [this](const QString &type) {
if (type == QLatin1String("org.kde.neochat.account_label")) {
Q_EMIT activeAccountLabelChanged();
}
});
} else { } else {
NeoChatConfig::self()->setActiveConnection(QString()); NeoChatConfig::self()->setActiveConnection(QString());
} }
NeoChatConfig::self()->save(); NeoChatConfig::self()->save();
Q_EMIT activeConnectionChanged(); Q_EMIT activeConnectionChanged();
Q_EMIT activeConnectionIndexChanged(); Q_EMIT activeConnectionIndexChanged();
Q_EMIT activeAccountLabelChanged();
} }
PushRuleModel *Controller::pushRuleModel() const PushRuleModel *Controller::pushRuleModel() const
@@ -646,41 +555,6 @@ bool Controller::isFlatpak() const
#endif #endif
} }
void Controller::setActiveAccountLabel(const QString &label)
{
if (!m_connection) {
return;
}
QJsonObject json{
{"account_label"_ls, label},
};
m_connection->setAccountData("org.kde.neochat.account_label"_ls, json);
}
QString Controller::activeAccountLabel() const
{
if (!m_connection) {
return {};
}
return m_connection->accountDataJson("org.kde.neochat.account_label"_ls)["account_label"_ls].toString();
}
QVariantList Controller::getSupportedRoomVersions(Quotient::Connection *connection)
{
auto roomVersions = connection->availableRoomVersions();
QVariantList supportedRoomVersions;
for (const Quotient::Connection::SupportedRoomVersion &v : roomVersions) {
QVariantMap roomVersionMap;
roomVersionMap.insert("id"_ls, v.id);
roomVersionMap.insert("status"_ls, v.status);
roomVersionMap.insert("isStable"_ls, v.isStable());
supportedRoomVersions.append(roomVersionMap);
}
return supportedRoomVersions;
}
AccountRegistry &Controller::accounts() AccountRegistry &Controller::accounts()
{ {
return m_accountRegistry; return m_accountRegistry;

View File

@@ -9,6 +9,7 @@
#include <KFormat> #include <KFormat>
#include "neochatconnection.h"
#include <Quotient/accountregistry.h> #include <Quotient/accountregistry.h>
#include <Quotient/jobs/basejob.h> #include <Quotient/jobs/basejob.h>
#include <Quotient/settings.h> #include <Quotient/settings.h>
@@ -20,7 +21,6 @@ class QQuickTextDocument;
namespace Quotient namespace Quotient
{ {
class Connection;
class Room; class Room;
class User; class User;
} }
@@ -50,7 +50,7 @@ class Controller : public QObject
/** /**
* @brief The current connection for the rest of NeoChat to use. * @brief The current connection for the rest of NeoChat to use.
*/ */
Q_PROPERTY(Quotient::Connection *activeConnection READ activeConnection WRITE setActiveConnection NOTIFY activeConnectionChanged) Q_PROPERTY(NeoChatConnection *activeConnection READ activeConnection WRITE setActiveConnection NOTIFY activeConnectionChanged)
/** /**
* @brief The PushRuleModel that has the active connection's push rules. * @brief The PushRuleModel that has the active connection's push rules.
@@ -62,16 +62,6 @@ class Controller : public QObject
*/ */
Q_PROPERTY(int activeConnectionIndex READ activeConnectionIndex NOTIFY activeConnectionIndexChanged) Q_PROPERTY(int activeConnectionIndex READ activeConnectionIndex NOTIFY activeConnectionIndexChanged)
/**
* @brief The account label for the active account.
*
* Account labels are a concept specific to NeoChat, allowing accounts to be
* labelled, e.g. for "Work", "Private", etc.
*
* Set to an empty string to remove the label.
*/
Q_PROPERTY(QString activeAccountLabel READ activeAccountLabel WRITE setActiveAccountLabel NOTIFY activeAccountLabelChanged)
/** /**
* @brief Whether the OS NeoChat is running on supports sytem tray icons. * @brief Whether the OS NeoChat is running on supports sytem tray icons.
*/ */
@@ -109,46 +99,28 @@ public:
[[nodiscard]] int accountCount() const; [[nodiscard]] int accountCount() const;
void setActiveConnection(Quotient::Connection *connection); void setActiveConnection(NeoChatConnection *connection);
[[nodiscard]] Quotient::Connection *activeConnection() const; [[nodiscard]] NeoChatConnection *activeConnection() const;
[[nodiscard]] PushRuleModel *pushRuleModel() const; [[nodiscard]] PushRuleModel *pushRuleModel() const;
/** /**
* @brief Add a new connection to the account registry. * @brief Add a new connection to the account registry.
*/ */
void addConnection(Quotient::Connection *c); void addConnection(NeoChatConnection *c);
/** /**
* @brief Drop a connection from the account registry. * @brief Drop a connection from the account registry.
*/ */
void dropConnection(Quotient::Connection *c); void dropConnection(NeoChatConnection *c);
int activeConnectionIndex() const; int activeConnectionIndex() const;
[[nodiscard]] QString activeAccountLabel() const;
void setActiveAccountLabel(const QString &label);
/** /**
* @brief Save an access token to the keychain for the given account. * @brief Save an access token to the keychain for the given account.
*/ */
bool saveAccessTokenToKeyChain(const Quotient::AccountSettings &account, const QByteArray &accessToken); bool saveAccessTokenToKeyChain(const Quotient::AccountSettings &account, const QByteArray &accessToken);
/**
* @brief Change the password for an account.
*
* The function emits a passwordStatus signal with a PasswordStatus value when
* complete.
*
* @sa PasswordStatus, passwordStatus
*/
Q_INVOKABLE void changePassword(Quotient::Connection *connection, const QString &currentPassword, const QString &newPassword);
/**
* @brief Change the avatar for an account.
*/
Q_INVOKABLE bool setAvatar(Quotient::Connection *connection, const QUrl &avatarSource);
/** /**
* @brief Create new room for a group chat. * @brief Create new room for a group chat.
*/ */
@@ -210,14 +182,12 @@ public:
*/ */
Q_INVOKABLE void forceRefreshTextDocument(QQuickTextDocument *textDocument, QQuickItem *item); Q_INVOKABLE void forceRefreshTextDocument(QQuickTextDocument *textDocument, QQuickItem *item);
Q_INVOKABLE QVariantList getSupportedRoomVersions(Quotient::Connection *connection);
Quotient::AccountRegistry &accounts(); Quotient::AccountRegistry &accounts();
private: private:
explicit Controller(QObject *parent = nullptr); explicit Controller(QObject *parent = nullptr);
QPointer<Quotient::Connection> m_connection; QPointer<NeoChatConnection> m_connection;
TrayIcon *m_trayIcon = nullptr; TrayIcon *m_trayIcon = nullptr;
QKeychain::ReadPasswordJob *loadAccessTokenFromKeyChain(const Quotient::AccountSettings &account); QKeychain::ReadPasswordJob *loadAccessTokenFromKeyChain(const Quotient::AccountSettings &account);
@@ -244,8 +214,8 @@ Q_SIGNALS:
/// Error occurred because of server or bug in NeoChat /// Error occurred because of server or bug in NeoChat
void globalErrorOccured(QString error, QString detail); void globalErrorOccured(QString error, QString detail);
void syncDone(); void syncDone();
void connectionAdded(Quotient::Connection *_t1); void connectionAdded(NeoChatConnection *connection);
void connectionDropped(Quotient::Connection *_t1); void connectionDropped(NeoChatConnection *connection);
void accountCountChanged(); void accountCountChanged();
void initiated(); void initiated();
void notificationClicked(const QString &_t1, const QString &_t2); void notificationClicked(const QString &_t1, const QString &_t2);
@@ -256,18 +226,14 @@ Q_SIGNALS:
void userConsentRequired(QUrl url); void userConsentRequired(QUrl url);
void testConnectionResult(const QString &connection, bool usable); void testConnectionResult(const QString &connection, bool usable);
void isOnlineChanged(bool isOnline); void isOnlineChanged(bool isOnline);
void keyVerificationRequest(int timeLeft, Quotient::Connection *connection, const QString &transactionId, const QString &deviceId); void keyVerificationRequest(int timeLeft, NeoChatConnection *connection, const QString &transactionId, const QString &deviceId);
void keyVerificationStart(); void keyVerificationStart();
void keyVerificationAccept(const QString &commitment); void keyVerificationAccept(const QString &commitment);
void keyVerificationKey(const QString &sas); void keyVerificationKey(const QString &sas);
void activeConnectionIndexChanged(); void activeConnectionIndexChanged();
void roomAdded(NeoChatRoom *room); void roomAdded(NeoChatRoom *room);
void activeAccountLabelChanged();
public Q_SLOTS: public Q_SLOTS:
void logout(Quotient::Connection *conn, bool serverSideLogout);
void changeAvatar(Quotient::Connection *conn, const QUrl &localFile);
static void markAllMessagesAsRead(Quotient::Connection *conn);
void saveWindowGeometry(); void saveWindowGeometry();
}; };
@@ -283,3 +249,9 @@ class NeochatDeleteDeviceJob : public Quotient::BaseJob
public: public:
explicit NeochatDeleteDeviceJob(const QString &deviceId, const Quotient::Omittable<QJsonObject> &auth = Quotient::none); explicit NeochatDeleteDeviceJob(const QString &deviceId, const Quotient::Omittable<QJsonObject> &auth = Quotient::none);
}; };
class NeoChatDeactivateAccountJob : public Quotient::BaseJob
{
public:
explicit NeoChatDeactivateAccountJob(const Quotient::Omittable<QJsonObject> &auth = Quotient::none);
};

View File

@@ -22,7 +22,7 @@ Login::Login(QObject *parent)
void Login::init() void Login::init()
{ {
m_homeserverReachable = false; m_homeserverReachable = false;
m_connection = new Connection(); m_connection = new NeoChatConnection();
m_matrixId = QString(); m_matrixId = QString();
m_password = QString(); m_password = QString();
m_deviceName = QStringLiteral("NeoChat %1 %2 %3 %4") m_deviceName = QStringLiteral("NeoChat %1 %2 %3 %4")
@@ -51,7 +51,7 @@ void Login::init()
m_testing = true; m_testing = true;
Q_EMIT testingChanged(); Q_EMIT testingChanged();
if (!m_connection) { if (!m_connection) {
m_connection = new Connection(); m_connection = new NeoChatConnection();
} }
m_connection->resolveServer(m_matrixId); m_connection->resolveServer(m_matrixId);
connectSingleShot(m_connection, &Connection::loginFlowsChanged, this, [this]() { connectSingleShot(m_connection, &Connection::loginFlowsChanged, this, [this]() {

View File

@@ -6,10 +6,7 @@
#include <QObject> #include <QObject>
#include <QUrl> #include <QUrl>
namespace Quotient class NeoChatConnection;
{
class Connection;
}
/** /**
* @class Login * @class Login
@@ -135,7 +132,7 @@ private:
QString m_deviceName; QString m_deviceName;
bool m_supportsSso = false; bool m_supportsSso = false;
bool m_supportsPassword = false; bool m_supportsPassword = false;
Quotient::Connection *m_connection = nullptr; NeoChatConnection *m_connection = nullptr;
QUrl m_ssoUrl; QUrl m_ssoUrl;
bool m_testing = false; bool m_testing = false;
bool m_isLoggingIn = false; bool m_isLoggingIn = false;

View File

@@ -80,6 +80,7 @@
#include "models/userlistmodel.h" #include "models/userlistmodel.h"
#include "models/webshortcutmodel.h" #include "models/webshortcutmodel.h"
#include "neochatconfig.h" #include "neochatconfig.h"
#include "neochatconnection.h"
#include "neochatroom.h" #include "neochatroom.h"
#include "notificationsmanager.h" #include "notificationsmanager.h"
#include "pollhandler.h" #include "pollhandler.h"
@@ -281,12 +282,12 @@ int main(int argc, char *argv[])
qmlRegisterUncreatableType<NeoChatRoomType>("org.kde.neochat", 1, 0, "NeoChatRoomType", "ENUM"_ls); qmlRegisterUncreatableType<NeoChatRoomType>("org.kde.neochat", 1, 0, "NeoChatRoomType", "ENUM"_ls);
qmlRegisterUncreatableType<User>("org.kde.neochat", 1, 0, "User", {}); qmlRegisterUncreatableType<User>("org.kde.neochat", 1, 0, "User", {});
qmlRegisterUncreatableType<NeoChatRoom>("org.kde.neochat", 1, 0, "NeoChatRoom", {}); qmlRegisterUncreatableType<NeoChatRoom>("org.kde.neochat", 1, 0, "NeoChatRoom", {});
qmlRegisterUncreatableType<NeoChatConnection>("org.kde.neochat", 1, 0, "NeoChatConnection", {});
qRegisterMetaType<User *>("User*"); qRegisterMetaType<User *>("User*");
qRegisterMetaType<User *>("const User*"); qRegisterMetaType<User *>("const User*");
qRegisterMetaType<User *>("const Quotient::User*"); qRegisterMetaType<User *>("const Quotient::User*");
qRegisterMetaType<Room *>("Room*"); qRegisterMetaType<Room *>("Room*");
qRegisterMetaType<Connection *>("Connection*");
qRegisterMetaType<MessageEventType>("MessageEventType"); qRegisterMetaType<MessageEventType>("MessageEventType");
qRegisterMetaType<NeoChatRoom *>("NeoChatRoom*"); qRegisterMetaType<NeoChatRoom *>("NeoChatRoom*");
qRegisterMetaType<User *>("User*"); qRegisterMetaType<User *>("User*");

155
src/neochatconnection.cpp Normal file
View File

@@ -0,0 +1,155 @@
// SPDX-FileCopyrightText: 2023 Tobias Fella <tobias.fella@kde.org>
// SPDX-License-Identifier: GPL-2.0-or-later
#include "neochatconnection.h"
#include <QImageReader>
#include "controller.h"
#if QT_VERSION < QT_VERSION_CHECK(6, 0, 0)
#include <qt5keychain/keychain.h>
#else
#include <qt6keychain/keychain.h>
#endif
#include <Quotient/csapi/content-repo.h>
#include <Quotient/csapi/profile.h>
#include <Quotient/settings.h>
#include <Quotient/user.h>
using namespace Quotient;
NeoChatConnection::NeoChatConnection(QObject *parent)
: Connection(parent)
{
connect(this, &NeoChatConnection::accountDataChanged, this, [this](const QString &type) {
if (type == QLatin1String("org.kde.neochat.account_label")) {
Q_EMIT labelChanged();
}
});
}
NeoChatConnection::NeoChatConnection(const QUrl &server, QObject *parent)
: Connection(server, parent)
{
connect(this, &NeoChatConnection::accountDataChanged, this, [this](const QString &type) {
if (type == QLatin1String("org.kde.neochat.account_label")) {
Q_EMIT labelChanged();
}
});
}
void NeoChatConnection::logout(bool serverSideLogout)
{
SettingsGroup(QStringLiteral("Accounts")).remove(userId());
QKeychain::DeletePasswordJob job(qAppName());
job.setAutoDelete(true);
job.setKey(userId());
QEventLoop loop;
QKeychain::DeletePasswordJob::connect(&job, &QKeychain::Job::finished, &loop, &QEventLoop::quit);
job.start();
loop.exec();
if (Controller::instance().accounts().count() > 1) {
// Only set the connection if the the account being logged out is currently active
if (this == Controller::instance().activeConnection()) {
Controller::instance().setActiveConnection(dynamic_cast<NeoChatConnection *>(Controller::instance().accounts().accounts()[0]));
}
} else {
Controller::instance().setActiveConnection(nullptr);
}
if (!serverSideLogout) {
return;
}
Connection::logout();
}
bool NeoChatConnection::setAvatar(const QUrl &avatarSource)
{
QString decoded = avatarSource.path();
if (decoded.isEmpty()) {
callApi<SetAvatarUrlJob>(user()->id(), avatarSource);
return true;
}
if (QImageReader(decoded).read().isNull()) {
return false;
} else {
return user()->setAvatar(decoded);
}
}
QVariantList NeoChatConnection::getSupportedRoomVersions() const
{
const auto &roomVersions = availableRoomVersions();
QVariantList supportedRoomVersions;
for (const auto &v : roomVersions) {
QVariantMap roomVersionMap;
roomVersionMap.insert("id"_ls, v.id);
roomVersionMap.insert("status"_ls, v.status);
roomVersionMap.insert("isStable"_ls, v.isStable());
supportedRoomVersions.append(roomVersionMap);
}
return supportedRoomVersions;
}
void NeoChatConnection::changePassword(const QString &currentPassword, const QString &newPassword)
{
auto job = callApi<NeochatChangePasswordJob>(newPassword, false);
connect(job, &BaseJob::result, this, [this, job, currentPassword, newPassword] {
if (job->error() == 103) {
QJsonObject replyData = job->jsonData();
QJsonObject authData;
authData["session"_ls] = replyData["session"_ls];
authData["password"_ls] = currentPassword;
authData["type"_ls] = "m.login.password"_ls;
authData["user"_ls] = user()->id();
QJsonObject identifier = {{"type"_ls, "m.id.user"_ls}, {"user"_ls, user()->id()}};
authData["identifier"_ls] = identifier;
NeochatChangePasswordJob *innerJob = callApi<NeochatChangePasswordJob>(newPassword, false, authData);
connect(innerJob, &BaseJob::success, this, []() {
Q_EMIT Controller::instance().passwordStatus(Controller::PasswordStatus::Success);
});
connect(innerJob, &BaseJob::failure, this, [innerJob]() {
Q_EMIT Controller::instance().passwordStatus(innerJob->jsonData()["errcode"_ls] == "M_FORBIDDEN"_ls ? Controller::PasswordStatus::Wrong
: Controller::PasswordStatus::Other);
});
}
});
}
void NeoChatConnection::setLabel(const QString &label)
{
QJsonObject json{
{"account_label"_ls, label},
};
setAccountData("org.kde.neochat.account_label"_ls, json);
Q_EMIT labelChanged();
}
QString NeoChatConnection::label() const
{
return accountDataJson("org.kde.neochat.account_label"_ls)["account_label"_ls].toString();
}
void NeoChatConnection::deactivateAccount(const QString &password)
{
auto job = callApi<NeoChatDeactivateAccountJob>();
connect(job, &BaseJob::result, this, [this, job, password] {
if (job->error() == 103) {
QJsonObject replyData = job->jsonData();
QJsonObject authData;
authData["session"_ls] = replyData["session"_ls];
authData["password"_ls] = password;
authData["type"_ls] = "m.login.password"_ls;
authData["user"_ls] = user()->id();
QJsonObject identifier = {{"type"_ls, "m.id.user"_ls}, {"user"_ls, user()->id()}};
authData["identifier"_ls] = identifier;
auto innerJob = callApi<NeoChatDeactivateAccountJob>(authData);
connect(innerJob, &BaseJob::success, this, [this]() {
logout(false);
});
}
});
}

53
src/neochatconnection.h Normal file
View File

@@ -0,0 +1,53 @@
// SPDX-FileCopyrightText: 2023 Tobias Fella <tobias.fella@kde.org>
// SPDX-License-Identifier: GPL-2.0-or-later
#pragma once
#include <QObject>
#include <Quotient/connection.h>
class NeoChatConnection : public Quotient::Connection
{
Q_OBJECT
/**
* @brief The account label for this account.
*
* Account labels are a concept specific to NeoChat, allowing accounts to be
* labelled, e.g. for "Work", "Private", etc.
*
* Set to an empty string to remove the label.
*/
Q_PROPERTY(QString label READ label WRITE setLabel NOTIFY labelChanged)
public:
NeoChatConnection(QObject *parent = nullptr);
NeoChatConnection(const QUrl &server, QObject *parent = nullptr);
Q_INVOKABLE void logout(bool serverSideLogout);
Q_INVOKABLE QVariantList getSupportedRoomVersions() const;
/**
* @brief Change the password for an account.
*
* The function emits a passwordStatus signal with a PasswordStatus value when
* complete.
*
* @sa PasswordStatus, passwordStatus
*/
Q_INVOKABLE void changePassword(const QString &currentPassword, const QString &newPassword);
/**
* @brief Change the avatar for an account.
*/
Q_INVOKABLE bool setAvatar(const QUrl &avatarSource);
[[nodiscard]] QString label() const;
void setLabel(const QString &label);
Q_INVOKABLE void deactivateAccount(const QString &password);
Q_SIGNALS:
void labelChanged();
};

View File

@@ -13,12 +13,12 @@
#include <QPainter> #include <QPainter>
#include <Quotient/accountregistry.h> #include <Quotient/accountregistry.h>
#include <Quotient/connection.h>
#include <Quotient/csapi/pushrules.h> #include <Quotient/csapi/pushrules.h>
#include <Quotient/user.h> #include <Quotient/user.h>
#include "controller.h" #include "controller.h"
#include "neochatconfig.h" #include "neochatconfig.h"
#include "neochatconnection.h"
#include "neochatroom.h" #include "neochatroom.h"
#include "roommanager.h" #include "roommanager.h"
#include "texthandler.h" #include "texthandler.h"
@@ -37,7 +37,7 @@ NotificationsManager::NotificationsManager(QObject *parent)
{ {
} }
void NotificationsManager::handleNotifications(QPointer<Connection> connection) void NotificationsManager::handleNotifications(QPointer<NeoChatConnection> connection)
{ {
if (!m_connActiveJob.contains(connection->user()->id())) { if (!m_connActiveJob.contains(connection->user()->id())) {
auto job = connection->callApi<GetNotificationsJob>(); auto job = connection->callApi<GetNotificationsJob>();
@@ -49,7 +49,7 @@ void NotificationsManager::handleNotifications(QPointer<Connection> connection)
} }
} }
void NotificationsManager::processNotificationJob(QPointer<Quotient::Connection> connection, Quotient::GetNotificationsJob *job, bool initialization) void NotificationsManager::processNotificationJob(QPointer<NeoChatConnection> connection, Quotient::GetNotificationsJob *job, bool initialization)
{ {
if (job == nullptr) { if (job == nullptr) {
return; return;
@@ -145,7 +145,7 @@ void NotificationsManager::processNotificationJob(QPointer<Quotient::Connection>
} }
} }
bool NotificationsManager::shouldPostNotification(QPointer<Quotient::Connection> connection, const QJsonValue &notification) bool NotificationsManager::shouldPostNotification(QPointer<NeoChatConnection> connection, const QJsonValue &notification)
{ {
if (connection == nullptr) { if (connection == nullptr) {
return false; return false;
@@ -211,7 +211,7 @@ void NotificationsManager::postNotification(NeoChatRoom *room,
return; return;
} }
if (room->localUser()->id() != Controller::instance().activeConnection()->userId()) { if (room->localUser()->id() != Controller::instance().activeConnection()->userId()) {
Controller::instance().setActiveConnection(Controller::instance().accounts().get(room->localUser()->id())); Controller::instance().setActiveConnection(dynamic_cast<NeoChatConnection *>(Controller::instance().accounts().get(room->localUser()->id())));
} }
RoomManager::instance().enterRoom(room); RoomManager::instance().enterRoom(room);
}); });

View File

@@ -12,11 +12,7 @@
#include <Quotient/csapi/notifications.h> #include <Quotient/csapi/notifications.h>
#include <Quotient/jobs/basejob.h> #include <Quotient/jobs/basejob.h>
namespace Quotient class NeoChatConnection;
{
class Connection;
}
class KNotification; class KNotification;
class NeoChatRoom; class NeoChatRoom;
@@ -80,7 +76,7 @@ public:
/** /**
* @brief Handle the notifications for the given connection. * @brief Handle the notifications for the given connection.
*/ */
void handleNotifications(QPointer<Quotient::Connection> connection); void handleNotifications(QPointer<NeoChatConnection> connection);
private: private:
explicit NotificationsManager(QObject *parent = nullptr); explicit NotificationsManager(QObject *parent = nullptr);
@@ -90,13 +86,13 @@ private:
QStringList m_connActiveJob; QStringList m_connActiveJob;
bool shouldPostNotification(QPointer<Quotient::Connection> connection, const QJsonValue &notification); bool shouldPostNotification(QPointer<NeoChatConnection> connection, const QJsonValue &notification);
QHash<QString, KNotification *> m_notifications; QHash<QString, KNotification *> m_notifications;
QHash<QString, QPointer<KNotification>> m_invitations; QHash<QString, QPointer<KNotification>> m_invitations;
private Q_SLOTS: private Q_SLOTS:
void processNotificationJob(QPointer<Quotient::Connection> connection, Quotient::GetNotificationsJob *job, bool initialization); void processNotificationJob(QPointer<NeoChatConnection> connection, Quotient::GetNotificationsJob *job, bool initialization);
private: private:
QPixmap createNotificationImage(const QImage &icon, NeoChatRoom *room); QPixmap createNotificationImage(const QImage &icon, NeoChatRoom *room);

View File

@@ -177,13 +177,13 @@ TimelineContainer {
onDurationChanged: { onDurationChanged: {
if (!duration) { if (!duration) {
vid.supportStreaming = false; root.supportStreaming = false;
} }
} }
onErrorChanged: { onErrorChanged: {
if (error != MediaPlayer.NoError) { if (error != MediaPlayer.NoError) {
vid.supportStreaming = false; root.supportStreaming = false;
} }
} }
@@ -391,7 +391,7 @@ TimelineContainer {
TapHandler { TapHandler {
acceptedButtons: Qt.LeftButton acceptedButtons: Qt.LeftButton
onTapped: if (vid.supportStreaming || root.progressInfo.completed) { onTapped: if (root.supportStreaming || root.progressInfo.completed) {
if (vid.playbackState == MediaPlayer.PlayingState) { if (vid.playbackState == MediaPlayer.PlayingState) {
vid.pause() vid.pause()
} else { } else {

View File

@@ -0,0 +1,46 @@
// SPDX-FileCopyrightText: 2023 Tobias Fella <tobias.fella@kde.org>
// SPDX-License-Identifier: GPL-2.0-or-later
import QtQuick 2.15
import QtQuick.Controls 2.15 as QQC2
import QtQuick.Layouts 1.15
import org.kde.kirigami 2.20 as Kirigami
import org.kde.kirigamiaddons.formcard 1.0 as FormCard
import org.kde.neochat 1.0
FormCard.FormCardPage {
id: root
property var connection
title: i18nc("@title", "Deactivate Account")
FormCard.FormHeader {
title: i18nc("@title", "Deactivate Account")
}
FormCard.FormCard {
FormCard.FormTextDelegate {
text: i18nc("@title", "Warning")
description: i18n("Your account will be permanently disabled.\nThis cannot be undone.\nYour Matrix ID will not be available for new accounts.\nYour messages will stay available.")
}
FormCard.FormTextFieldDelegate {
id: passwordField
label: i18n("Password")
echoMode: TextInput.Password
}
FormCard.FormButtonDelegate {
text: i18n("Deactivate account")
icon.name: "emblem-warning"
enabled: passwordField.text.length > 0
onClicked: {
root.connection.deactivateAccount(passwordField.text)
root.closeDialog()
}
}
}
}

View File

@@ -37,7 +37,7 @@ QQC2.Dialog {
text: i18n("Sign out") text: i18n("Sign out")
QQC2.DialogButtonBox.buttonRole: QQC2.DialogButtonBox.AcceptRole QQC2.DialogButtonBox.buttonRole: QQC2.DialogButtonBox.AcceptRole
onClicked: { onClicked: {
Controller.logout(root.connection, true); root.connection.logout(true);
root.close(); root.close();
root.accepted(); root.accepted();
} }

View File

@@ -193,7 +193,7 @@ QQC2.ToolBar {
Layout.fillWidth: true Layout.fillWidth: true
} }
QQC2.Label { QQC2.Label {
text: (Controller.activeAccountLabel.length > 0 ? (Controller.activeAccountLabel + " ") : "") + Controller.activeConnection.localUser.id text: (Controller.activeConnection.label.length > 0 ? (Controller.activeConnection.label + " ") : "") + Controller.activeConnection.localUser.id
font.pointSize: displayNameLabel.font.pointSize * 0.8 font.pointSize: displayNameLabel.font.pointSize * 0.8
opacity: 0.7 opacity: 0.7
textFormat: Text.PlainText textFormat: Text.PlainText

View File

@@ -16,7 +16,7 @@ import org.kde.neochat 1.0
Kirigami.ScrollablePage { Kirigami.ScrollablePage {
id: root id: root
title: i18n("Edit Account") title: i18n("Edit Account")
property var connection property NeoChatConnection connection
readonly property bool compact: width > Kirigami.Units.gridUnit * 30 ? 2 : 1 readonly property bool compact: width > Kirigami.Units.gridUnit * 30 ? 2 : 1
@@ -114,7 +114,7 @@ Kirigami.ScrollablePage {
MobileForm.FormTextFieldDelegate { MobileForm.FormTextFieldDelegate {
id: accountLabel id: accountLabel
label: i18n("Label:") label: i18n("Label:")
text: root.connection ? Controller.activeAccountLabel : "" text: root.connection ? root.connection.label : ""
} }
MobileForm.FormDelegateSeparator {} MobileForm.FormDelegateSeparator {}
MobileForm.AbstractFormDelegate { MobileForm.AbstractFormDelegate {
@@ -130,14 +130,14 @@ Kirigami.ScrollablePage {
Layout.bottomMargin: Kirigami.Units.smallSpacing Layout.bottomMargin: Kirigami.Units.smallSpacing
Layout.topMargin: Kirigami.Units.smallSpacing Layout.topMargin: Kirigami.Units.smallSpacing
onClicked: { onClicked: {
if (!Controller.setAvatar(root.connection, avatar.source)) { if (!root.connection.setAvatar(avatar.source)) {
showPassiveNotification("The Avatar could not be set"); showPassiveNotification("The Avatar could not be set");
} }
if (root.connection.localUser.displayName !== name.text) { if (root.connection.localUser.displayName !== name.text) {
root.connection.localUser.rename(name.text); root.connection.localUser.rename(name.text);
} }
if (Controller.activeAccountLabel !== accountLabel.text) { if (root.connection.label !== accountLabel.text) {
Controller.activeAccountLabel = accountLabel.text; root.connection.label = accountLabel.text;
} }
} }
} }
@@ -201,7 +201,7 @@ Kirigami.ScrollablePage {
enabled: currentPassword.text.length > 0 && newPassword.text.length > 0 && confirmPassword.text.length > 0 enabled: currentPassword.text.length > 0 && newPassword.text.length > 0 && confirmPassword.text.length > 0
onClicked: { onClicked: {
if (newPassword.text === confirmPassword.text) { if (newPassword.text === confirmPassword.text) {
Controller.changePassword(root.connection, currentPassword.text, newPassword.text); root.connection.changePassword(currentPassword.text, newPassword.text);
} else { } else {
showPassiveNotification(i18n("Passwords do not match")); showPassiveNotification(i18n("Passwords do not match"));
} }
@@ -249,6 +249,21 @@ Kirigami.ScrollablePage {
}*/ }*/
} }
} }
MobileForm.FormHeader {
Layout.fillWidth: true
title: i18nc("@title", "Account Management")
}
MobileForm.FormCard {
Layout.fillWidth: true
contentItem: ColumnLayout {
spacing: 0
MobileForm.FormButtonDelegate {
id: deactivateAccountButton
text: i18n("Deactivate Account")
onClicked: pageStack.pushDialogLayer("qrc:/ConfirmDeactivateAccountDialog.qml", {connection: root.connection}, {title: i18nc("@title", "Confirm Deactivating Account")})
}
}
}
} }
Component { Component {
id: openFileDialog id: openFileDialog

View File

@@ -35,17 +35,19 @@ Kirigami.ScrollablePage {
Repeater { Repeater {
model: AccountRegistry model: AccountRegistry
delegate: MobileForm.AbstractFormDelegate { delegate: MobileForm.AbstractFormDelegate {
id: accountDelegate
required property NeoChatConnection connection
Layout.fillWidth: true Layout.fillWidth: true
onClicked: pageStack.layers.push("qrc:/AccountEditorPage.qml", { onClicked: pageStack.layers.push("qrc:/AccountEditorPage.qml", {
connection: model.connection connection: accountDelegate.connection
}, { }, {
title: i18n("Account editor") title: i18n("Account editor")
}) })
contentItem: RowLayout { contentItem: RowLayout {
KirigamiComponents.Avatar { KirigamiComponents.Avatar {
name: model.connection.localUser.displayName name: accountDelegate.connection.localUser.displayName
source: model.connection.localUser.avatarMediaId ? ("image://mxc/" + model.connection.localUser.avatarMediaId) : "" source: accountDelegate.connection.localUser.avatarMediaId ? ("image://mxc/" + accountDelegate.connection.localUser.avatarMediaId) : ""
Layout.rightMargin: Kirigami.Units.largeSpacing Layout.rightMargin: Kirigami.Units.largeSpacing
implicitWidth: Kirigami.Units.iconSizes.medium implicitWidth: Kirigami.Units.iconSizes.medium
@@ -58,7 +60,7 @@ Kirigami.ScrollablePage {
QQC2.Label { QQC2.Label {
Layout.fillWidth: true Layout.fillWidth: true
text: model.connection.localUser.displayName text: accountDelegate.connection.localUser.displayName
textFormat: Text.PlainText textFormat: Text.PlainText
elide: Text.ElideRight elide: Text.ElideRight
wrapMode: Text.Wrap wrapMode: Text.Wrap
@@ -68,7 +70,7 @@ Kirigami.ScrollablePage {
QQC2.Label { QQC2.Label {
Layout.fillWidth: true Layout.fillWidth: true
text: model.connection.localUserId text: accountDelegate.connection.localUserId
color: Kirigami.Theme.disabledTextColor color: Kirigami.Theme.disabledTextColor
font: Kirigami.Theme.smallFont font: Kirigami.Theme.smallFont
elide: Text.ElideRight elide: Text.ElideRight
@@ -78,7 +80,7 @@ Kirigami.ScrollablePage {
QQC2.ToolButton { QQC2.ToolButton {
text: i18n("Logout") text: i18n("Logout")
icon.name: "im-kick-user" icon.name: "im-kick-user"
onClicked: confirmLogoutDialogComponent.createObject(QQC2.ApplicationWindow.overlay).open() onClicked: confirmLogoutDialogComponent.createObject(applicationWindow().overlay).open()
} }
Component { Component {

View File

@@ -89,7 +89,7 @@ void Registration::registerAccount()
connect(job, &BaseJob::result, this, [=]() { connect(job, &BaseJob::result, this, [=]() {
if (job->status() == BaseJob::Success) { if (job->status() == BaseJob::Success) {
setNextStep("loading"_ls); setNextStep("loading"_ls);
auto connection = new Connection(this); auto connection = new NeoChatConnection(this);
auto matrixId = "@%1:%2"_ls.arg(m_username, m_homeserver); auto matrixId = "@%1:%2"_ls.arg(m_username, m_homeserver);
connection->resolveServer(matrixId); connection->resolveServer(matrixId);

View File

@@ -88,6 +88,7 @@
<file alias="EmojiItem.qml">qml/Dialog/KeyVerification/EmojiItem.qml</file> <file alias="EmojiItem.qml">qml/Dialog/KeyVerification/EmojiItem.qml</file>
<file alias="EmojiRow.qml">qml/Dialog/KeyVerification/EmojiRow.qml</file> <file alias="EmojiRow.qml">qml/Dialog/KeyVerification/EmojiRow.qml</file>
<file alias="EmojiSas.qml">qml/Dialog/KeyVerification/EmojiSas.qml</file> <file alias="EmojiSas.qml">qml/Dialog/KeyVerification/EmojiSas.qml</file>
<file alias="ConfirmDeactivateAccountDialog.qml">qml/Dialog/ConfirmDeactivateAccountDialog.qml</file>
<file alias="VerificationCanceled.qml">qml/Dialog/KeyVerification/VerificationCanceled.qml</file> <file alias="VerificationCanceled.qml">qml/Dialog/KeyVerification/VerificationCanceled.qml</file>
<file alias="GlobalMenu.qml">qml/Menu/GlobalMenu.qml</file> <file alias="GlobalMenu.qml">qml/Menu/GlobalMenu.qml</file>
<file alias="EditMenu.qml">qml/Menu/EditMenu.qml</file> <file alias="EditMenu.qml">qml/Menu/EditMenu.qml</file>