add option to delete a user's messages (#4362)

* add option to delete a user's messages

add optional parameter remove_messages to the ban and warn commands
add event for clients to redact messages
implement server side command and message handling
implement server history removal
todo: client side implementation

add option to remove messages to moderator action dialogs

add storage of message beginnings to chatview

add redactMessage command
handle Event_RemoveMessages on rooms

this approach is favored over parsing the chatroom after the fact but
will use additional memory to store the block indexes

this also leaves a problem in that user messages from the chat backlog
are not removed in the same way because they don't have a user
associated with them

add workaround for old qt versions

add action for users to remove messages from users in chats

add chat history to userMessagePositions with regex

proper const usage for userName

allow removing the messages of unregistered users

add menus to usernames in chat history

this allows you to remove user messages on chat history as well
this also allows moderators to take actions on users in chat history

Apply suggestions from code review

* readd missing call to handler
This commit is contained in:
ebbit1q 2021-09-14 22:05:20 +02:00 committed by GitHub
parent c25bf491e4
commit 1e995cd97c
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
22 changed files with 280 additions and 78 deletions

2
.gitignore vendored
View file

@ -8,3 +8,5 @@ mysql.cnf
*.aps *.aps
cmake-build-debug/ cmake-build-debug/
preferences preferences
compile_commands.json
.vs/

View file

@ -12,10 +12,17 @@
#include <QDesktopServices> #include <QDesktopServices>
#include <QMouseEvent> #include <QMouseEvent>
#include <QScrollBar> #include <QScrollBar>
#include <QTextDocumentFragment>
#include <QTextEdit> #include <QTextEdit>
const QColor DEFAULT_MENTION_COLOR = QColor(194, 31, 47); const QColor DEFAULT_MENTION_COLOR = QColor(194, 31, 47);
UserMessagePosition::UserMessagePosition(QTextCursor &cursor)
{
block = cursor.block();
relativePosition = cursor.position() - block.position();
}
ChatView::ChatView(const TabSupervisor *_tabSupervisor, ChatView::ChatView(const TabSupervisor *_tabSupervisor,
const UserlistProxy *_userlistProxy, const UserlistProxy *_userlistProxy,
TabGame *_game, TabGame *_game,
@ -43,8 +50,8 @@ ChatView::ChatView(const TabSupervisor *_tabSupervisor,
userContextMenu = new UserContextMenu(tabSupervisor, this, game); userContextMenu = new UserContextMenu(tabSupervisor, this, game);
connect(userContextMenu, SIGNAL(openMessageDialog(QString, bool)), this, SIGNAL(openMessageDialog(QString, bool))); connect(userContextMenu, SIGNAL(openMessageDialog(QString, bool)), this, SIGNAL(openMessageDialog(QString, bool)));
userName = userlistProxy->getOwnUsername(); ownUserName = userlistProxy->getOwnUsername();
mention = "@" + userName; mention = "@" + ownUserName;
mentionFormat.setFontWeight(QFont::Bold); mentionFormat.setFontWeight(QFont::Bold);
@ -68,7 +75,7 @@ QTextCursor ChatView::prepareBlock(bool same)
{ {
lastSender.clear(); lastSender.clear();
QTextCursor cursor(document()->lastBlock()); QTextCursor cursor(document());
cursor.movePosition(QTextCursor::End); cursor.movePosition(QTextCursor::End);
if (same) { if (same) {
cursor.insertHtml("<br>"); cursor.insertHtml("<br>");
@ -145,76 +152,86 @@ void ChatView::appendUrlTag(QTextCursor &cursor, QString url)
void ChatView::appendMessage(QString message, void ChatView::appendMessage(QString message,
RoomMessageTypeFlags messageType, RoomMessageTypeFlags messageType,
QString sender, const QString &userName,
UserLevelFlags userLevel, UserLevelFlags userLevel,
QString UserPrivLevel, QString UserPrivLevel,
bool playerBold) bool playerBold)
{ {
bool atBottom = verticalScrollBar()->value() >= verticalScrollBar()->maximum(); bool atBottom = verticalScrollBar()->value() >= verticalScrollBar()->maximum();
bool sameSender = (sender == lastSender) && !lastSender.isEmpty(); // messageType should be Event_RoomSay::UserMessage though we don't actually check
bool isUserMessage = !(userName.toLower() == "servatrice" || userName.isEmpty());
bool sameSender = isUserMessage && userName == lastSender;
QTextCursor cursor = prepareBlock(sameSender); QTextCursor cursor = prepareBlock(sameSender);
lastSender = sender; lastSender = userName;
// timestamp // timestamp
if (showTimestamps && (!sameSender || sender.toLower() == "servatrice") && !sender.isEmpty()) { if (showTimestamps && ((!sameSender && isUserMessage) || userName.toLower() == "servatrice")) {
QTextCharFormat timeFormat; QTextCharFormat timeFormat;
timeFormat.setForeground(serverMessageColor); timeFormat.setForeground(serverMessageColor);
if (sender.isEmpty()) timeFormat.setFontWeight(QFont::Bold);
timeFormat.setFontWeight(QFont::Bold);
cursor.setCharFormat(timeFormat); cursor.setCharFormat(timeFormat);
cursor.insertText(QDateTime::currentDateTime().toString("[hh:mm:ss] ")); cursor.insertText(QDateTime::currentDateTime().toString("[hh:mm:ss] "));
} }
// nickname // nickname
if (sender.toLower() != "servatrice") { if (isUserMessage) {
QTextCharFormat senderFormat; QTextCharFormat senderFormat;
if (sender == userName) { if (userName == ownUserName) {
senderFormat.setForeground(QBrush(getCustomMentionColor())); senderFormat.setForeground(QBrush(getCustomMentionColor()));
senderFormat.setFontWeight(QFont::Bold); senderFormat.setFontWeight(QFont::Bold);
} else { } else {
senderFormat.setForeground(QBrush(otherUserColor)); senderFormat.setForeground(QBrush(otherUserColor));
if (playerBold) if (playerBold) {
senderFormat.setFontWeight(QFont::Bold); senderFormat.setFontWeight(QFont::Bold);
}
} }
senderFormat.setAnchor(true); senderFormat.setAnchor(true);
senderFormat.setAnchorHref("user://" + QString::number(userLevel) + "_" + sender); senderFormat.setAnchorHref("user://" + QString::number(userLevel) + "_" + userName);
if (sameSender) { if (sameSender) {
cursor.insertText(" "); cursor.insertText(" ");
} else { } else {
if (!sender.isEmpty()) { const int pixelSize = QFontInfo(cursor.charFormat().font()).pixelSize();
const int pixelSize = QFontInfo(cursor.charFormat().font()).pixelSize(); bool isBuddy = userlistProxy->isUserBuddy(userName);
bool isBuddy = userlistProxy->isUserBuddy(sender); cursor.insertImage(
cursor.insertImage( UserLevelPixmapGenerator::generatePixmap(pixelSize, userLevel, isBuddy, UserPrivLevel).toImage());
UserLevelPixmapGenerator::generatePixmap(pixelSize, userLevel, isBuddy, UserPrivLevel).toImage()); cursor.insertText(" ");
cursor.insertText(" ");
}
cursor.setCharFormat(senderFormat); cursor.setCharFormat(senderFormat);
if (!sender.isEmpty()) cursor.insertText(userName);
sender.append(": "); cursor.insertText(": ");
cursor.insertText(sender); userMessagePositions[userName].append(cursor);
} }
} }
// use different color for server messages // use different color for server messages
defaultFormat = QTextCharFormat(); defaultFormat = QTextCharFormat();
if (sender.isEmpty()) { if (!isUserMessage) {
switch (messageType) { if (messageType == Event_RoomSay::ChatHistory) {
case Event_RoomSay::Welcome: defaultFormat.setForeground(Qt::gray); // FIXME : hardcoded color
defaultFormat.setForeground(Qt::darkGreen); defaultFormat.setFontWeight(QFont::Light);
defaultFormat.setFontWeight(QFont::Bold); defaultFormat.setFontItalic(true);
break; static const QRegularExpression userNameRegex("^(\\[[^\\]]*\\]\\s)(\\S+):\\s");
case Event_RoomSay::ChatHistory: auto match = userNameRegex.match(message);
defaultFormat.setForeground(Qt::gray); if (match.hasMatch()) {
defaultFormat.setFontWeight(QFont::Light); cursor.setCharFormat(defaultFormat);
defaultFormat.setFontItalic(true); UserMessagePosition pos(cursor);
break; pos.relativePosition = match.captured(0).length(); // set message start
default: auto before = match.captured(1);
defaultFormat.setForeground(Qt::darkGreen); auto sentBy = match.captured(2);
defaultFormat.setFontWeight(QFont::Bold); cursor.insertText(before); // add message timestamp
QTextCharFormat senderFormat(defaultFormat);
senderFormat.setAnchor(true);
// this underscore is important, it is used to add the user level, but in this case the level is
// unknown, if the name contains an underscore it would split up the name
senderFormat.setAnchorHref("user://_" + sentBy);
cursor.setCharFormat(senderFormat);
cursor.insertText(sentBy); // add username with href so it shows the menu
userMessagePositions[sentBy].append(pos); // save message position
message.remove(0, pos.relativePosition - 2); // do not remove semicolon
}
} else {
defaultFormat.setForeground(Qt::darkGreen); // FIXME : hardcoded color
defaultFormat.setFontWeight(QFont::Bold);
} }
} else if (sender.toLower() == "servatrice") {
defaultFormat.setForeground(Qt::darkGreen);
defaultFormat.setFontWeight(QFont::Bold);
} }
cursor.setCharFormat(defaultFormat); cursor.setCharFormat(defaultFormat);
@ -234,7 +251,7 @@ void ChatView::appendMessage(QString message,
break; break;
case '@': case '@':
if (mentionEnabled) { if (mentionEnabled) {
checkMention(cursor, message, sender, userLevel); checkMention(cursor, message, userName, userLevel);
} else { } else {
cursor.insertText(c, defaultFormat); cursor.insertText(c, defaultFormat);
message = message.mid(1); message = message.mid(1);
@ -304,7 +321,7 @@ void ChatView::checkTag(QTextCursor &cursor, QString &message)
checkWord(cursor, message); checkWord(cursor, message);
} }
void ChatView::checkMention(QTextCursor &cursor, QString &message, QString &sender, UserLevelFlags userLevel) void ChatView::checkMention(QTextCursor &cursor, QString &message, const QString &userName, UserLevelFlags userLevel)
{ {
const QRegExp notALetterOrNumber = QRegExp("[^a-zA-Z0-9]"); const QRegExp notALetterOrNumber = QRegExp("[^a-zA-Z0-9]");
@ -316,7 +333,7 @@ void ChatView::checkMention(QTextCursor &cursor, QString &message, QString &send
const ServerInfo_User *onlineUser = userlistProxy->getOnlineUser(fullMentionUpToSpaceOrEnd); const ServerInfo_User *onlineUser = userlistProxy->getOnlineUser(fullMentionUpToSpaceOrEnd);
if (onlineUser) // Is there a user online named this? if (onlineUser) // Is there a user online named this?
{ {
if (userName.toLower() == fullMentionUpToSpaceOrEnd.toLower()) // Is this user you? if (ownUserName.toLower() == fullMentionUpToSpaceOrEnd.toLower()) // Is this user you?
{ {
// You have received a valid mention!! // You have received a valid mention!!
soundEngine->playSound("chat_mention"); soundEngine->playSound("chat_mention");
@ -325,7 +342,7 @@ void ChatView::checkMention(QTextCursor &cursor, QString &message, QString &send
: QBrush(Qt::black)); : QBrush(Qt::black));
cursor.insertText(mention, mentionFormat); cursor.insertText(mention, mentionFormat);
message = message.mid(mention.size()); message = message.mid(mention.size());
showSystemPopup(sender); showSystemPopup(userName);
} else { } else {
QString correctUserName = QString::fromStdString(onlineUser->name()); QString correctUserName = QString::fromStdString(onlineUser->name());
mentionFormatOtherUser.setAnchorHref("user://" + QString::number(onlineUser->user_level()) + "_" + mentionFormatOtherUser.setAnchorHref("user://" + QString::number(onlineUser->user_level()) + "_" +
@ -347,7 +364,7 @@ void ChatView::checkMention(QTextCursor &cursor, QString &message, QString &send
: QBrush(Qt::black)); : QBrush(Qt::black));
cursor.insertText("@" + fullMentionUpToSpaceOrEnd, mentionFormat); cursor.insertText("@" + fullMentionUpToSpaceOrEnd, mentionFormat);
message = message.mid(fullMentionUpToSpaceOrEnd.size() + 1); message = message.mid(fullMentionUpToSpaceOrEnd.size() + 1);
showSystemPopup(sender); showSystemPopup(userName);
cursor.setCharFormat(defaultFormat); cursor.setCharFormat(defaultFormat);
return; return;
@ -445,12 +462,11 @@ void ChatView::actMessageClicked()
emit messageClickedSignal(); emit messageClickedSignal();
} }
void ChatView::showSystemPopup(QString &sender) void ChatView::showSystemPopup(const QString &userName)
{ {
QApplication::alert(this); QApplication::alert(this);
if (SettingsCache::instance().getShowMentionPopup()) { if (SettingsCache::instance().getShowMentionPopup()) {
QString ref = sender.left(sender.length() - 2); emit showMentionPopup(userName);
emit showMentionPopup(ref);
} }
} }
@ -474,6 +490,28 @@ void ChatView::clearChat()
lastSender = ""; lastSender = "";
} }
void ChatView::redactMessages(const QString &userName, int amount)
{
auto &messagePositions = userMessagePositions[userName];
bool removedLastMessage = false;
QTextCursor cursor(document());
for (; !messagePositions.isEmpty() && amount != 0; --amount) {
auto position = messagePositions.takeLast(); // go backwards from last message
cursor.setPosition(position.block.position()); // move to start of block, then continue to start of message
cursor.movePosition(QTextCursor::Right, QTextCursor::MoveAnchor, position.relativePosition);
cursor.movePosition(QTextCursor::EndOfBlock, QTextCursor::KeepAnchor); // select until end of block
cursor.removeSelectedText();
// if the cursor is at the end of the text it is possible to add text to this block still
removedLastMessage |= cursor.atEnd();
// we will readd this position later
}
if (removedLastMessage) {
cursor.movePosition(QTextCursor::End);
messagePositions.append(cursor);
// note that this message might stay empty, this is not harmful as it will simply remove nothing the next time
}
}
void ChatView::enterEvent(QEvent * /*event*/) void ChatView::enterEvent(QEvent * /*event*/)
{ {
setMouseTracking(true); setMouseTracking(true);
@ -540,7 +578,7 @@ void ChatView::mousePressEvent(QMouseEvent *event)
switch (event->button()) { switch (event->button()) {
case Qt::RightButton: { case Qt::RightButton: {
UserLevelFlags userLevel(hoveredContent.left(delimiterIndex).toInt()); UserLevelFlags userLevel(hoveredContent.left(delimiterIndex).toInt());
userContextMenu->showContextMenu(event->globalPos(), userName, userLevel); userContextMenu->showContextMenu(event->globalPos(), userName, userLevel, this);
break; break;
} }
case Qt::LeftButton: { case Qt::LeftButton: {

View file

@ -18,6 +18,17 @@ class QMouseEvent;
class UserContextMenu; class UserContextMenu;
class TabGame; class TabGame;
class UserMessagePosition
{
public:
#if (QT_VERSION < QT_VERSION_CHECK(5, 13, 0))
UserMessagePosition() = default; // older qt versions require a default constructor to use in containers
#endif
UserMessagePosition(QTextCursor &cursor);
int relativePosition;
QTextBlock block;
};
class ChatView : public QTextBrowser class ChatView : public QTextBrowser
{ {
Q_OBJECT Q_OBJECT
@ -36,7 +47,7 @@ private:
const UserlistProxy *const userlistProxy; const UserlistProxy *const userlistProxy;
UserContextMenu *userContextMenu; UserContextMenu *userContextMenu;
QString lastSender; QString lastSender;
QString userName; QString ownUserName;
QString mention; QString mention;
QTextCharFormat mentionFormat; QTextCharFormat mentionFormat;
QTextCharFormat highlightFormat; QTextCharFormat highlightFormat;
@ -48,16 +59,18 @@ private:
HoveredItemType hoveredItemType; HoveredItemType hoveredItemType;
QString hoveredContent; QString hoveredContent;
QAction *messageClicked; QAction *messageClicked;
QMap<QString, QVector<UserMessagePosition>> userMessagePositions;
QTextFragment getFragmentUnderMouse(const QPoint &pos) const; QTextFragment getFragmentUnderMouse(const QPoint &pos) const;
QTextCursor prepareBlock(bool same = false); QTextCursor prepareBlock(bool same = false);
void appendCardTag(QTextCursor &cursor, const QString &cardName); void appendCardTag(QTextCursor &cursor, const QString &cardName);
void appendUrlTag(QTextCursor &cursor, QString url); void appendUrlTag(QTextCursor &cursor, QString url);
QColor getCustomMentionColor(); QColor getCustomMentionColor();
QColor getCustomHighlightColor(); QColor getCustomHighlightColor();
void showSystemPopup(QString &sender); void showSystemPopup(const QString &userName);
bool isModeratorSendingGlobal(QFlags<ServerInfo_User::UserLevelFlag> userLevelFlag, QString message); bool isModeratorSendingGlobal(QFlags<ServerInfo_User::UserLevelFlag> userLevelFlag, QString message);
void checkTag(QTextCursor &cursor, QString &message); void checkTag(QTextCursor &cursor, QString &message);
void checkMention(QTextCursor &cursor, QString &message, QString &sender, UserLevelFlags userLevel); void checkMention(QTextCursor &cursor, QString &message, const QString &userName, UserLevelFlags userLevel);
void checkWord(QTextCursor &cursor, QString &message); void checkWord(QTextCursor &cursor, QString &message);
QString extractNextWord(QString &message, QString &rest); QString extractNextWord(QString &message, QString &rest);
@ -82,11 +95,12 @@ public:
QString optionalFontColor = QString()); QString optionalFontColor = QString());
void appendMessage(QString message, void appendMessage(QString message,
RoomMessageTypeFlags messageType = {}, RoomMessageTypeFlags messageType = {},
QString sender = QString(), const QString &userName = QString(),
UserLevelFlags userLevel = UserLevelFlags(), UserLevelFlags userLevel = UserLevelFlags(),
QString UserPrivLevel = "NONE", QString UserPrivLevel = "NONE",
bool playerBold = false); bool playerBold = false);
void clearChat(); void clearChat();
void redactMessages(const QString &userName, int amount);
protected: protected:
void enterEvent(QEvent *event); void enterEvent(QEvent *event);
@ -101,7 +115,7 @@ signals:
void deleteCardInfoPopup(QString cardName); void deleteCardInfoPopup(QString cardName);
void addMentionTag(QString mentionTag); void addMentionTag(QString mentionTag);
void messageClickedSignal(); void messageClickedSignal();
void showMentionPopup(QString &sender); void showMentionPopup(const QString &userName);
}; };
#endif #endif

View file

@ -9,6 +9,7 @@
#include "pb/event_join_room.pb.h" #include "pb/event_join_room.pb.h"
#include "pb/event_leave_room.pb.h" #include "pb/event_leave_room.pb.h"
#include "pb/event_list_games.pb.h" #include "pb/event_list_games.pb.h"
#include "pb/event_remove_messages.pb.h"
#include "pb/event_room_say.pb.h" #include "pb/event_room_say.pb.h"
#include "pb/room_commands.pb.h" #include "pb/room_commands.pb.h"
#include "pb/serverinfo_room.pb.h" #include "pb/serverinfo_room.pb.h"
@ -49,7 +50,7 @@ TabRoom::TabRoom(TabSupervisor *_tabSupervisor,
connect(userList, SIGNAL(openMessageDialog(const QString &, bool)), this, connect(userList, SIGNAL(openMessageDialog(const QString &, bool)), this,
SIGNAL(openMessageDialog(const QString &, bool))); SIGNAL(openMessageDialog(const QString &, bool)));
chatView = new ChatView(tabSupervisor, tabSupervisor, 0, true); chatView = new ChatView(tabSupervisor, tabSupervisor, nullptr, true, this);
connect(chatView, SIGNAL(showMentionPopup(QString &)), this, SLOT(actShowMentionPopup(QString &))); connect(chatView, SIGNAL(showMentionPopup(QString &)), this, SLOT(actShowMentionPopup(QString &)));
connect(chatView, SIGNAL(messageClickedSignal()), this, SLOT(focusTab())); connect(chatView, SIGNAL(messageClickedSignal()), this, SLOT(focusTab()));
connect(chatView, SIGNAL(openMessageDialog(QString, bool)), this, SIGNAL(openMessageDialog(QString, bool))); connect(chatView, SIGNAL(openMessageDialog(QString, bool)), this, SIGNAL(openMessageDialog(QString, bool)));
@ -252,6 +253,9 @@ void TabRoom::processRoomEvent(const RoomEvent &event)
case RoomEvent::ROOM_SAY: case RoomEvent::ROOM_SAY:
processRoomSayEvent(event.GetExtension(Event_RoomSay::ext)); processRoomSayEvent(event.GetExtension(Event_RoomSay::ext));
break; break;
case RoomEvent::REMOVE_MESSAGES:
processRemoveMessagesEvent(event.GetExtension(Event_RemoveMessages::ext));
break;
default:; default:;
} }
} }
@ -312,6 +316,13 @@ void TabRoom::processRoomSayEvent(const Event_RoomSay &event)
emit userEvent(false); emit userEvent(false);
} }
void TabRoom::processRemoveMessagesEvent(const Event_RemoveMessages &event)
{
QString userName = QString::fromStdString(event.name());
int amount = event.amount();
chatView->redactMessages(userName, amount);
}
void TabRoom::refreshShortcuts() void TabRoom::refreshShortcuts()
{ {
aClearChat->setShortcuts(SettingsCache::instance().shortcuts().getShortcut("tab_room/aClearChat")); aClearChat->setShortcuts(SettingsCache::instance().shortcuts().getShortcut("tab_room/aClearChat"));

View file

@ -30,6 +30,7 @@ class Event_ListGames;
class Event_JoinRoom; class Event_JoinRoom;
class Event_LeaveRoom; class Event_LeaveRoom;
class Event_RoomSay; class Event_RoomSay;
class Event_RemoveMessages;
class GameSelector; class GameSelector;
class Response; class Response;
class PendingCommand; class PendingCommand;
@ -82,6 +83,7 @@ private slots:
void processJoinRoomEvent(const Event_JoinRoom &event); void processJoinRoomEvent(const Event_JoinRoom &event);
void processLeaveRoomEvent(const Event_LeaveRoom &event); void processLeaveRoomEvent(const Event_LeaveRoom &event);
void processRoomSayEvent(const Event_RoomSay &event); void processRoomSayEvent(const Event_RoomSay &event);
void processRemoveMessagesEvent(const Event_RemoveMessages &event);
void refreshShortcuts(); void refreshShortcuts();
public: public:

View file

@ -1,6 +1,7 @@
#include "user_context_menu.h" #include "user_context_menu.h"
#include "abstractclient.h" #include "abstractclient.h"
#include "chatview/chatview.h"
#include "gameselector.h" #include "gameselector.h"
#include "pb/command_kick_from_game.pb.h" #include "pb/command_kick_from_game.pb.h"
#include "pb/commands.pb.h" #include "pb/commands.pb.h"
@ -253,6 +254,10 @@ void UserContextMenu::banUser_dialogFinished()
cmd.set_reason(dlg->getReason().toStdString()); cmd.set_reason(dlg->getReason().toStdString());
cmd.set_visible_reason(dlg->getVisibleReason().toStdString()); cmd.set_visible_reason(dlg->getVisibleReason().toStdString());
cmd.set_clientid(dlg->getBanId().toStdString()); cmd.set_clientid(dlg->getBanId().toStdString());
int removeAmount = dlg->getDeleteMessages();
if (removeAmount != 0) {
cmd.set_remove_messages(removeAmount);
}
client->sendCommand(client->prepareModeratorCommand(cmd)); client->sendCommand(client->prepareModeratorCommand(cmd));
} }
@ -268,6 +273,10 @@ void UserContextMenu::warnUser_dialogFinished()
cmd.set_user_name(dlg->getName().toStdString()); cmd.set_user_name(dlg->getName().toStdString());
cmd.set_reason(dlg->getReason().toStdString()); cmd.set_reason(dlg->getReason().toStdString());
cmd.set_clientid(dlg->getWarnID().toStdString()); cmd.set_clientid(dlg->getWarnID().toStdString());
int removeAmount = dlg->getDeleteMessages();
if (removeAmount != 0) {
cmd.set_remove_messages(removeAmount);
}
client->sendCommand(client->prepareModeratorCommand(cmd)); client->sendCommand(client->prepareModeratorCommand(cmd));
} }
@ -278,7 +287,15 @@ void UserContextMenu::showContextMenu(const QPoint &pos,
bool online, bool online,
int playerId) int playerId)
{ {
showContextMenu(pos, userName, userLevel, online, playerId, QString()); showContextMenu(pos, userName, userLevel, online, playerId, QString(), nullptr);
}
void UserContextMenu::showContextMenu(const QPoint &pos,
const QString &userName,
UserLevelFlags userLevel,
ChatView *chatView)
{
showContextMenu(pos, userName, userLevel, true, -1, QString(), chatView);
} }
void UserContextMenu::showContextMenu(const QPoint &pos, void UserContextMenu::showContextMenu(const QPoint &pos,
@ -286,9 +303,10 @@ void UserContextMenu::showContextMenu(const QPoint &pos,
UserLevelFlags userLevel, UserLevelFlags userLevel,
bool online, bool online,
int playerId, int playerId,
const QString &deckHash) const QString &deckHash,
ChatView *chatView)
{ {
QAction *aCopyToClipBoard; QAction *aCopyToClipBoard, *aRemoveMessages;
aUserName->setText(userName); aUserName->setText(userName);
QMenu *menu = new QMenu(static_cast<QWidget *>(parent())); QMenu *menu = new QMenu(static_cast<QWidget *>(parent()));
@ -303,14 +321,20 @@ void UserContextMenu::showContextMenu(const QPoint &pos,
menu->addAction(aChat); menu->addAction(aChat);
if (userLevel.testFlag(ServerInfo_User::IsRegistered) && tabSupervisor->isOwnUserRegistered()) { if (userLevel.testFlag(ServerInfo_User::IsRegistered) && tabSupervisor->isOwnUserRegistered()) {
menu->addSeparator(); menu->addSeparator();
if (tabSupervisor->isUserBuddy(userName)) if (tabSupervisor->isUserBuddy(userName)) {
menu->addAction(aRemoveFromBuddyList); menu->addAction(aRemoveFromBuddyList);
else } else {
menu->addAction(aAddToBuddyList); menu->addAction(aAddToBuddyList);
if (tabSupervisor->isUserIgnored(userName)) }
if (tabSupervisor->isUserIgnored(userName)) {
menu->addAction(aRemoveFromIgnoreList); menu->addAction(aRemoveFromIgnoreList);
else } else {
menu->addAction(aAddToIgnoreList); menu->addAction(aAddToIgnoreList);
}
}
if (chatView != nullptr) {
aRemoveMessages = new QAction(tr("Remove this user's messages"), this);
menu->addAction(aRemoveMessages);
} }
if (game && (game->isHost() || !tabSupervisor->getAdminLocked())) { if (game && (game->isHost() || !tabSupervisor->getAdminLocked())) {
menu->addSeparator(); menu->addSeparator();
@ -360,7 +384,8 @@ void UserContextMenu::showContextMenu(const QPoint &pos,
aDemoteFromMod->setEnabled(anotherUser); aDemoteFromMod->setEnabled(anotherUser);
QAction *actionClicked = menu->exec(pos); QAction *actionClicked = menu->exec(pos);
if (actionClicked == aDetails) { if (actionClicked == nullptr) {
} else if (actionClicked == aDetails) {
UserInfoBox *infoWidget = UserInfoBox *infoWidget =
new UserInfoBox(client, false, static_cast<QWidget *>(parent()), new UserInfoBox(client, false, static_cast<QWidget *>(parent()),
Qt::Dialog | Qt::WindowTitleHint | Qt::CustomizeWindowHint | Qt::WindowCloseButtonHint); Qt::Dialog | Qt::WindowTitleHint | Qt::CustomizeWindowHint | Qt::WindowCloseButtonHint);
@ -456,6 +481,8 @@ void UserContextMenu::showContextMenu(const QPoint &pos,
} else if (actionClicked == aCopyToClipBoard) { } else if (actionClicked == aCopyToClipBoard) {
QClipboard *clipboard = QGuiApplication::clipboard(); QClipboard *clipboard = QGuiApplication::clipboard();
clipboard->setText(deckHash); clipboard->setText(deckHash);
} else if (actionClicked == aRemoveMessages) {
chatView->redactMessages(userName, -1);
} }
delete menu; delete menu;

View file

@ -5,14 +5,16 @@
#include <QObject> #include <QObject>
class QAction;
class TabSupervisor;
class TabGame;
class QPoint;
class CommandContainer;
class Response;
class AbstractClient; class AbstractClient;
class ChatView;
class CommandContainer;
class QAction;
class QMenu;
class QPoint;
class Response;
class ServerInfo_User; class ServerInfo_User;
class TabGame;
class TabSupervisor;
class UserContextMenu : public QObject class UserContextMenu : public QObject
{ {
@ -54,12 +56,14 @@ public:
UserLevelFlags userLevel, UserLevelFlags userLevel,
bool online = true, bool online = true,
int playerId = -1); int playerId = -1);
void showContextMenu(const QPoint &pos, const QString &userName, UserLevelFlags userLevel, ChatView *chatView);
void showContextMenu(const QPoint &pos, void showContextMenu(const QPoint &pos,
const QString &userName, const QString &userName,
UserLevelFlags userLevel, UserLevelFlags userLevel,
bool online, bool online,
int playerId, int playerId,
const QString &deckHash); const QString &deckHash,
ChatView *chatView = nullptr);
}; };
#endif #endif

View file

@ -97,6 +97,8 @@ BanDialog::BanDialog(const ServerInfo_User &info, QWidget *parent) : QDialog(par
new QLabel(tr("Please enter the reason for the ban that will be visible to the banned person.")); new QLabel(tr("Please enter the reason for the ban that will be visible to the banned person."));
visibleReasonEdit = new QPlainTextEdit; visibleReasonEdit = new QPlainTextEdit;
deleteMessages = new QCheckBox(tr("Redact all messages from this user in all rooms"));
QPushButton *okButton = new QPushButton(tr("&OK")); QPushButton *okButton = new QPushButton(tr("&OK"));
okButton->setAutoDefault(true); okButton->setAutoDefault(true);
connect(okButton, SIGNAL(clicked()), this, SLOT(okClicked())); connect(okButton, SIGNAL(clicked()), this, SLOT(okClicked()));
@ -115,6 +117,7 @@ BanDialog::BanDialog(const ServerInfo_User &info, QWidget *parent) : QDialog(par
vbox->addWidget(reasonEdit); vbox->addWidget(reasonEdit);
vbox->addWidget(visibleReasonLabel); vbox->addWidget(visibleReasonLabel);
vbox->addWidget(visibleReasonEdit); vbox->addWidget(visibleReasonEdit);
vbox->addWidget(deleteMessages);
vbox->addLayout(buttonLayout); vbox->addLayout(buttonLayout);
setLayout(vbox); setLayout(vbox);
@ -130,6 +133,8 @@ WarningDialog::WarningDialog(const QString userName, const QString clientID, QWi
warningOption = new QComboBox(); warningOption = new QComboBox();
warningOption->addItem(""); warningOption->addItem("");
deleteMessages = new QCheckBox(tr("Redact all messages from this user in all rooms"));
QPushButton *okButton = new QPushButton(tr("&OK")); QPushButton *okButton = new QPushButton(tr("&OK"));
okButton->setAutoDefault(true); okButton->setAutoDefault(true);
connect(okButton, SIGNAL(clicked()), this, SLOT(okClicked())); connect(okButton, SIGNAL(clicked()), this, SLOT(okClicked()));
@ -145,6 +150,7 @@ WarningDialog::WarningDialog(const QString userName, const QString clientID, QWi
vbox->addWidget(descriptionLabel); vbox->addWidget(descriptionLabel);
vbox->addWidget(nameWarning); vbox->addWidget(nameWarning);
vbox->addWidget(warningOption); vbox->addWidget(warningOption);
vbox->addWidget(deleteMessages);
vbox->addLayout(buttonLayout); vbox->addLayout(buttonLayout);
setLayout(vbox); setLayout(vbox);
setWindowTitle(tr("Warn user for misconduct")); setWindowTitle(tr("Warn user for misconduct"));
@ -182,6 +188,11 @@ QString WarningDialog::getReason() const
return warningOption->currentText().simplified(); return warningOption->currentText().simplified();
} }
int WarningDialog::getDeleteMessages() const
{
return deleteMessages->isChecked() ? -1 : 0;
}
void WarningDialog::addWarningOption(const QString warning) void WarningDialog::addWarningOption(const QString warning)
{ {
warningOption->addItem(warning); warningOption->addItem(warning);
@ -262,6 +273,11 @@ QString BanDialog::getVisibleReason() const
return visibleReasonEdit->toPlainText(); return visibleReasonEdit->toPlainText();
} }
int BanDialog::getDeleteMessages() const
{
return deleteMessages->isChecked() ? -1 : 0;
}
UserListItemDelegate::UserListItemDelegate(QObject *const parent) : QStyledItemDelegate(parent) UserListItemDelegate::UserListItemDelegate(QObject *const parent) : QStyledItemDelegate(parent)
{ {
} }

View file

@ -28,7 +28,7 @@ class BanDialog : public QDialog
Q_OBJECT Q_OBJECT
private: private:
QLabel *daysLabel, *hoursLabel, *minutesLabel; QLabel *daysLabel, *hoursLabel, *minutesLabel;
QCheckBox *nameBanCheckBox, *ipBanCheckBox, *idBanCheckBox; QCheckBox *nameBanCheckBox, *ipBanCheckBox, *idBanCheckBox, *deleteMessages;
QLineEdit *nameBanEdit, *ipBanEdit, *idBanEdit; QLineEdit *nameBanEdit, *ipBanEdit, *idBanEdit;
QSpinBox *daysEdit, *hoursEdit, *minutesEdit; QSpinBox *daysEdit, *hoursEdit, *minutesEdit;
QRadioButton *permanentRadio, *temporaryRadio; QRadioButton *permanentRadio, *temporaryRadio;
@ -45,6 +45,7 @@ public:
int getMinutes() const; int getMinutes() const;
QString getReason() const; QString getReason() const;
QString getVisibleReason() const; QString getVisibleReason() const;
int getDeleteMessages() const;
}; };
class WarningDialog : public QDialog class WarningDialog : public QDialog
@ -55,6 +56,7 @@ private:
QLineEdit *nameWarning; QLineEdit *nameWarning;
QComboBox *warningOption; QComboBox *warningOption;
QLineEdit *warnClientID; QLineEdit *warnClientID;
QCheckBox *deleteMessages;
private slots: private slots:
void okClicked(); void okClicked();
@ -63,6 +65,7 @@ public:
QString getName() const; QString getName() const;
QString getWarnID() const; QString getWarnID() const;
QString getReason() const; QString getReason() const;
int getDeleteMessages() const;
void addWarningOption(const QString warning); void addWarningOption(const QString warning);
}; };

View file

@ -91,6 +91,7 @@ SET(PROTO_FILES
event_reverse_turn.proto event_reverse_turn.proto
event_roll_die.proto event_roll_die.proto
event_room_say.proto event_room_say.proto
event_remove_messages.proto
event_server_complete_list.proto event_server_complete_list.proto
event_server_identification.proto event_server_identification.proto
event_server_message.proto event_server_message.proto

View file

@ -0,0 +1,10 @@
syntax = "proto2";
import "room_event.proto";
message Event_RemoveMessages {
extend RoomEvent {
optional Event_RemoveMessages ext = 1004;
}
optional string name = 1;
optional uint32 amount = 2;
}

View file

@ -21,6 +21,7 @@ message Command_BanFromServer {
optional string reason = 4; optional string reason = 4;
optional string visible_reason = 5; optional string visible_reason = 5;
optional string clientid = 6; optional string clientid = 6;
optional uint32 remove_messages = 7;
} }
message Command_GetBanHistory { message Command_GetBanHistory {
@ -38,6 +39,7 @@ message Command_WarnUser {
optional string user_name = 1; optional string user_name = 1;
optional string reason = 2; optional string reason = 2;
optional string clientid = 3; optional string clientid = 3;
optional uint32 remove_messages = 4;
} }
message Command_GetWarnHistory { message Command_GetWarnHistory {

View file

@ -5,6 +5,7 @@ message RoomEvent {
JOIN_ROOM = 1001; JOIN_ROOM = 1001;
ROOM_SAY = 1002; ROOM_SAY = 1002;
LIST_GAMES = 1003; LIST_GAMES = 1003;
REMOVE_MESSAGES = 1004;
} }
optional sint32 room_id = 1; optional sint32 room_id = 1;
extensions 100 to max; extensions 100 to max;

View file

@ -389,6 +389,19 @@ void Server::externalRoomSay(int roomId, const QString &userName, const QString
room->getId(), room->getName()); room->getId(), room->getName());
} }
void Server::externalRoomRemoveMessages(int roomId, const QString &userName, int amount)
{
// This function is always called from the main thread via signal/slot.
QReadLocker locker(&roomsLock);
Server_Room *room = rooms.value(roomId);
if (room == nullptr) {
qDebug() << "externalRoomRemoveMessages: room id=" << roomId << "not found";
return;
}
room->removeSaidMessages(userName, amount);
}
void Server::externalRoomGameListChanged(int roomId, const ServerInfo_Game &gameInfo) void Server::externalRoomGameListChanged(int roomId, const ServerInfo_Game &gameInfo)
{ {
// This function is always called from the main thread via signal/slot. // This function is always called from the main thread via signal/slot.

View file

@ -223,6 +223,7 @@ protected slots:
void externalRoomUserJoined(int roomId, const ServerInfo_User &userInfo); void externalRoomUserJoined(int roomId, const ServerInfo_User &userInfo);
void externalRoomUserLeft(int roomId, const QString &userName); void externalRoomUserLeft(int roomId, const QString &userName);
void externalRoomSay(int roomId, const QString &userName, const QString &message); void externalRoomSay(int roomId, const QString &userName, const QString &message);
void externalRoomRemoveMessages(int roomId, const QString &userName, int amount);
void externalRoomGameListChanged(int roomId, const ServerInfo_Game &gameInfo); void externalRoomGameListChanged(int roomId, const ServerInfo_Game &gameInfo);
void void
externalJoinGameCommandReceived(const Command_JoinGame &cmd, int cmdId, int roomId, int serverId, qint64 sessionId); externalJoinGameCommandReceived(const Command_JoinGame &cmd, int cmdId, int roomId, int serverId, qint64 sessionId);

View file

@ -4,6 +4,7 @@
#include "pb/event_join_room.pb.h" #include "pb/event_join_room.pb.h"
#include "pb/event_leave_room.pb.h" #include "pb/event_leave_room.pb.h"
#include "pb/event_list_games.pb.h" #include "pb/event_list_games.pb.h"
#include "pb/event_remove_messages.pb.h"
#include "pb/event_room_say.pb.h" #include "pb/event_room_say.pb.h"
#include "pb/room_commands.pb.h" #include "pb/room_commands.pb.h"
#include "pb/serverinfo_chat_message.pb.h" #include "pb/serverinfo_chat_message.pb.h"
@ -272,11 +273,11 @@ Response::ResponseCode Server_Room::processJoinGameCommand(const Command_JoinGam
return result; return result;
} }
void Server_Room::say(const QString &userName, const QString &s, bool sendToIsl) void Server_Room::say(const QString &userName, const QString &userMessage, bool sendToIsl)
{ {
Event_RoomSay event; Event_RoomSay event;
event.set_name(userName.toStdString()); event.set_name(userName.toStdString());
event.set_message(s.toStdString()); event.set_message(userMessage.toStdString());
sendRoomEvent(prepareRoomEvent(event), sendToIsl); sendRoomEvent(prepareRoomEvent(event), sendToIsl);
if (chatHistorySize != 0) { if (chatHistorySize != 0) {
@ -285,13 +286,36 @@ void Server_Room::say(const QString &userName, const QString &s, bool sendToIsl)
QString dateTimeString = dateTime.toString(); QString dateTimeString = dateTime.toString();
chatMessage.set_time(dateTimeString.toStdString()); chatMessage.set_time(dateTimeString.toStdString());
chatMessage.set_sender_name(userName.toStdString()); chatMessage.set_sender_name(userName.toStdString());
chatMessage.set_message(s.simplified().toStdString()); chatMessage.set_message(userMessage.simplified().toStdString());
historyLock.lockForWrite(); historyLock.lockForWrite();
if (chatHistory.size() >= chatHistorySize) if (chatHistory.size() >= chatHistorySize) {
chatHistory.removeAt(0); chatHistory.removeAt(0);
}
chatHistory << chatMessage; chatHistory.push_back(std::move(chatMessage));
historyLock.unlock();
}
}
void Server_Room::removeSaidMessages(const QString &userName, int amount, bool sendToIsl)
{
Event_RemoveMessages event;
auto stdStringUserName = userName.toStdString();
event.set_name(stdStringUserName);
event.set_amount(amount);
sendRoomEvent(prepareRoomEvent(event), sendToIsl);
if (chatHistorySize != 0) {
int removed = 0;
historyLock.lockForWrite();
// redact [amount] of the most recent messages from this user from history
for (auto message = chatHistory.rbegin(); message != chatHistory.rend() && removed != amount; ++message) {
if (message->sender_name() == stdStringUserName) {
message->clear_message();
++removed;
}
}
historyLock.unlock(); historyLock.unlock();
} }
} }

View file

@ -132,6 +132,7 @@ public:
Server_AbstractUserInterface *userInterface); Server_AbstractUserInterface *userInterface);
void say(const QString &userName, const QString &s, bool sendToIsl = true); void say(const QString &userName, const QString &s, bool sendToIsl = true);
void removeSaidMessages(const QString &userName, int amount, bool sendToIsl = true);
void addGame(Server_Game *game); void addGame(Server_Game *game);
void removeGame(Server_Game *game); void removeGame(Server_Game *game);

View file

@ -6,6 +6,7 @@
#include "pb/event_join_room.pb.h" #include "pb/event_join_room.pb.h"
#include "pb/event_leave_room.pb.h" #include "pb/event_leave_room.pb.h"
#include "pb/event_list_games.pb.h" #include "pb/event_list_games.pb.h"
#include "pb/event_remove_messages.pb.h"
#include "pb/event_room_say.pb.h" #include "pb/event_room_say.pb.h"
#include "pb/event_server_complete_list.pb.h" #include "pb/event_server_complete_list.pb.h"
#include "pb/event_user_joined.pb.h" #include "pb/event_user_joined.pb.h"
@ -348,6 +349,11 @@ void IslInterface::roomEvent_ListGames(int roomId, const Event_ListGames &event)
} }
} }
void IslInterface::roomEvent_RemoveMessages(int roomId, const Event_RemoveMessages &event)
{
emit externalRoomRemoveMessages(roomId, QString::fromStdString(event.name()), event.amount());
}
void IslInterface::roomCommand_JoinGame(const Command_JoinGame &cmd, int cmdId, int roomId, qint64 sessionId) void IslInterface::roomCommand_JoinGame(const Command_JoinGame &cmd, int cmdId, int roomId, qint64 sessionId)
{ {
emit joinGameCommandReceived(cmd, cmdId, roomId, serverId, sessionId); emit joinGameCommandReceived(cmd, cmdId, roomId, serverId, sessionId);
@ -409,6 +415,9 @@ void IslInterface::processRoomEvent(const RoomEvent &event)
case RoomEvent::LIST_GAMES: case RoomEvent::LIST_GAMES:
roomEvent_ListGames(event.room_id(), event.GetExtension(Event_ListGames::ext)); roomEvent_ListGames(event.room_id(), event.GetExtension(Event_ListGames::ext));
break; break;
case RoomEvent::REMOVE_MESSAGES:
roomEvent_RemoveMessages(event.room_id(), event.GetExtension(Event_RemoveMessages::ext));
break;
default:; default:;
} }
} }

View file

@ -22,6 +22,7 @@ class Event_JoinRoom;
class Event_LeaveRoom; class Event_LeaveRoom;
class Event_RoomSay; class Event_RoomSay;
class Event_ListGames; class Event_ListGames;
class Event_RemoveMessages;
class Command_JoinGame; class Command_JoinGame;
class IslInterface : public QObject class IslInterface : public QObject
@ -40,6 +41,7 @@ signals:
void externalRoomUserLeft(int roomId, QString userName); void externalRoomUserLeft(int roomId, QString userName);
void externalRoomSay(int roomId, QString userName, QString message); void externalRoomSay(int roomId, QString userName, QString message);
void externalRoomGameListChanged(int roomId, ServerInfo_Game gameInfo); void externalRoomGameListChanged(int roomId, ServerInfo_Game gameInfo);
void externalRoomRemoveMessages(int roomId, QString userName, int amount);
void joinGameCommandReceived(const Command_JoinGame &cmd, int cmdId, int roomId, int serverId, qint64 sessionId); void joinGameCommandReceived(const Command_JoinGame &cmd, int cmdId, int roomId, int serverId, qint64 sessionId);
void gameCommandContainerReceived(const CommandContainer &cont, int playerId, int serverId, qint64 sessionId); void gameCommandContainerReceived(const CommandContainer &cont, int playerId, int serverId, qint64 sessionId);
void responseReceived(const Response &resp, qint64 sessionId); void responseReceived(const Response &resp, qint64 sessionId);
@ -68,6 +70,7 @@ private:
void roomEvent_UserLeft(int roomId, const Event_LeaveRoom &event); void roomEvent_UserLeft(int roomId, const Event_LeaveRoom &event);
void roomEvent_Say(int roomId, const Event_RoomSay &event); void roomEvent_Say(int roomId, const Event_RoomSay &event);
void roomEvent_ListGames(int roomId, const Event_ListGames &event); void roomEvent_ListGames(int roomId, const Event_ListGames &event);
void roomEvent_RemoveMessages(int roomId, const Event_RemoveMessages &event);
void roomCommand_JoinGame(const Command_JoinGame &cmd, int cmdId, int roomId, qint64 sessionId); void roomCommand_JoinGame(const Command_JoinGame &cmd, int cmdId, int roomId, qint64 sessionId);

View file

@ -749,6 +749,8 @@ void Servatrice::addIslInterface(int serverId, IslInterface *interface)
connect(interface, SIGNAL(externalRoomUserLeft(int, QString)), this, SLOT(externalRoomUserLeft(int, QString))); connect(interface, SIGNAL(externalRoomUserLeft(int, QString)), this, SLOT(externalRoomUserLeft(int, QString)));
connect(interface, SIGNAL(externalRoomSay(int, QString, QString)), this, connect(interface, SIGNAL(externalRoomSay(int, QString, QString)), this,
SLOT(externalRoomSay(int, QString, QString))); SLOT(externalRoomSay(int, QString, QString)));
connect(interface, SIGNAL(externalRoomRemoveMessages(int, QString, int)), this,
SLOT(externalRoomRemoveMessages(int, QString, int)));
connect(interface, SIGNAL(externalRoomGameListChanged(int, ServerInfo_Game)), this, connect(interface, SIGNAL(externalRoomGameListChanged(int, ServerInfo_Game)), this,
SLOT(externalRoomGameListChanged(int, ServerInfo_Game))); SLOT(externalRoomGameListChanged(int, ServerInfo_Game)));
connect(interface, SIGNAL(joinGameCommandReceived(Command_JoinGame, int, int, int, qint64)), this, connect(interface, SIGNAL(joinGameCommandReceived(Command_JoinGame, int, int, int, qint64)), this,

View file

@ -61,6 +61,7 @@
#include "server_logger.h" #include "server_logger.h"
#include "server_player.h" #include "server_player.h"
#include "server_response_containers.h" #include "server_response_containers.h"
#include "server_room.h"
#include "settingscache.h" #include "settingscache.h"
#include "version_string.h" #include "version_string.h"
@ -837,16 +838,28 @@ Response::ResponseCode AbstractServerSocketInterface::cmdGetWarnHistory(const Co
return Response::RespOk; return Response::RespOk;
} }
void AbstractServerSocketInterface::removeSaidMessages(const QString &userName, int amount)
{
for (auto *room : rooms.values()) {
room->removeSaidMessages(userName, amount);
}
}
Response::ResponseCode AbstractServerSocketInterface::cmdWarnUser(const Command_WarnUser &cmd, Response::ResponseCode AbstractServerSocketInterface::cmdWarnUser(const Command_WarnUser &cmd,
ResponseContainer & /*rc*/) ResponseContainer & /*rc*/)
{ {
if (!sqlInterface->checkSql()) if (!sqlInterface->checkSql()) { // sql database is required, without database there are no moderators anyway
return Response::RespInternalError; return Response::RespInternalError;
}
QString userName = QString::fromStdString(cmd.user_name()).simplified(); QString userName = QString::fromStdString(cmd.user_name()).simplified();
QString warningReason = QString::fromStdString(cmd.reason()).simplified(); QString warningReason = QString::fromStdString(cmd.reason()).simplified();
QString clientID = QString::fromStdString(cmd.clientid()).simplified(); QString clientID = QString::fromStdString(cmd.clientid()).simplified();
QString sendingModerator = QString::fromStdString(userInfo->name()).simplified(); QString sendingModerator = QString::fromStdString(userInfo->name()).simplified();
int amountRemove = cmd.remove_messages();
if (amountRemove != 0) {
removeSaidMessages(userName, amountRemove);
}
if (sqlInterface->addWarning(userName, sendingModerator, warningReason, clientID)) { if (sqlInterface->addWarning(userName, sendingModerator, warningReason, clientID)) {
servatrice->clientsLock.lockForRead(); servatrice->clientsLock.lockForRead();
@ -855,7 +868,7 @@ Response::ResponseCode AbstractServerSocketInterface::cmdWarnUser(const Command_
QList<QString> moderatorList = server->getOnlineModeratorList(); QList<QString> moderatorList = server->getOnlineModeratorList();
servatrice->clientsLock.unlock(); servatrice->clientsLock.unlock();
if (user) { if (user != nullptr) {
Event_NotifyUser event; Event_NotifyUser event;
event.set_type(Event_NotifyUser::WARNING); event.set_type(Event_NotifyUser::WARNING);
event.set_warning_reason(cmd.reason()); event.set_warning_reason(cmd.reason());
@ -891,6 +904,10 @@ Response::ResponseCode AbstractServerSocketInterface::cmdBanFromServer(const Com
if (userName.isEmpty() && address.isEmpty() && clientID.isEmpty()) if (userName.isEmpty() && address.isEmpty() && clientID.isEmpty())
return Response::RespOk; return Response::RespOk;
int amountRemove = cmd.remove_messages();
if (amountRemove != 0) {
removeSaidMessages(userName, amountRemove);
}
QString trustedSources = settingsCache->value("server/trusted_sources", "127.0.0.1,::1").toString(); QString trustedSources = settingsCache->value("server/trusted_sources", "127.0.0.1,::1").toString();
int minutes = cmd.minutes(); int minutes = cmd.minutes();
if (trustedSources.contains(address, Qt::CaseInsensitive)) if (trustedSources.contains(address, Qt::CaseInsensitive))

View file

@ -126,6 +126,7 @@ private:
bool isPasswordLongEnough(const int passwordLength); bool isPasswordLongEnough(const int passwordLength);
static QString parseEmailAddress(const std::string &stdEmailAddress); static QString parseEmailAddress(const std::string &stdEmailAddress);
void removeSaidMessages(const QString &userName, int amount);
public: public:
AbstractServerSocketInterface(Servatrice *_server, AbstractServerSocketInterface(Servatrice *_server,