mirror of
https://github.com/telegramdesktop/tdesktop
synced 2025-04-01 23:00:58 +00:00
Save info members list state to memento.
This commit is contained in:
parent
fb46c33d7f
commit
b51f865c54
Telegram
SourceFiles
base
boxes
chat_helpers
data
dialogs
dialogs_common.hdialogs_indexed_list.cppdialogs_indexed_list.hdialogs_inner_widget.cppdialogs_inner_widget.h
history
info/profile
info_profile_cover.cppinfo_profile_inner_widget.cppinfo_profile_members.cppinfo_profile_members.hinfo_profile_members_controllers.cppinfo_profile_values.cppinfo_profile_values.hinfo_profile_widget.h
observer_peer.cppobserver_peer.hprofile
stdafx.hui
gyp
243
Telegram/SourceFiles/base/unique_any.h
Normal file
243
Telegram/SourceFiles/base/unique_any.h
Normal file
@ -0,0 +1,243 @@
|
||||
/*
|
||||
This file is part of Telegram Desktop,
|
||||
the official desktop version of Telegram messaging app, see https://telegram.org
|
||||
|
||||
Telegram Desktop is free software: you can redistribute it and/or modify
|
||||
it under the terms of the GNU General Public License as published by
|
||||
the Free Software Foundation, either version 3 of the License, or
|
||||
(at your option) any later version.
|
||||
|
||||
It is distributed in the hope that it will be useful,
|
||||
but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
GNU General Public License for more details.
|
||||
|
||||
In addition, as a special exception, the copyright holders give permission
|
||||
to link the code of portions of this program with the OpenSSL library.
|
||||
|
||||
Full license: https://github.com/telegramdesktop/tdesktop/blob/master/LICENSE
|
||||
Copyright (c) 2014-2017 John Preston, https://desktop.telegram.org
|
||||
*/
|
||||
#pragma once
|
||||
|
||||
#include <any>
|
||||
|
||||
namespace base {
|
||||
namespace details {
|
||||
|
||||
template <typename Value>
|
||||
struct moveable_as_copyable_wrap {
|
||||
moveable_as_copyable_wrap(Value &&other)
|
||||
: value(std::move(other)) {
|
||||
}
|
||||
moveable_as_copyable_wrap &operator=(Value &&other) {
|
||||
value = std::move(other);
|
||||
return *this;
|
||||
}
|
||||
moveable_as_copyable_wrap(moveable_as_copyable_wrap &&other)
|
||||
: value(std::move(other.value)) {
|
||||
}
|
||||
moveable_as_copyable_wrap(
|
||||
const moveable_as_copyable_wrap &other) {
|
||||
Unexpected("Attempt to copy-construct a move-only type.");
|
||||
}
|
||||
moveable_as_copyable_wrap &operator=(
|
||||
moveable_as_copyable_wrap &&other) {
|
||||
value = std::move(other.value);
|
||||
return *this;
|
||||
}
|
||||
moveable_as_copyable_wrap &operator=(
|
||||
const moveable_as_copyable_wrap &other) {
|
||||
Unexpected("Attempt to copy-assign a move-only type.");
|
||||
}
|
||||
|
||||
Value value;
|
||||
|
||||
};
|
||||
|
||||
template <
|
||||
typename Value,
|
||||
typename = std::enable_if_t<
|
||||
std::is_move_constructible_v<std::decay_t<Value>>
|
||||
&& !std::is_lvalue_reference_v<Value>>>
|
||||
auto wrap_moveable_as_copyable(Value &&value) {
|
||||
return moveable_as_copyable_wrap<Value>(std::move(value));
|
||||
}
|
||||
|
||||
} // namespace details
|
||||
|
||||
class unique_any;
|
||||
|
||||
template <typename Value>
|
||||
Value *any_cast(unique_any *value) noexcept;
|
||||
|
||||
template <typename Value>
|
||||
const Value *any_cast(const unique_any *value) noexcept;
|
||||
|
||||
class unique_any final {
|
||||
public:
|
||||
// Construction and destruction [any.cons]
|
||||
constexpr unique_any() noexcept {
|
||||
}
|
||||
|
||||
unique_any(const unique_any &other) = delete;
|
||||
unique_any &operator=(const unique_any &other) = delete;
|
||||
|
||||
unique_any(unique_any &&other) noexcept
|
||||
: _impl(std::move(other._impl)) {
|
||||
}
|
||||
|
||||
unique_any &operator=(unique_any &&other) noexcept {
|
||||
_impl = std::move(other._impl);
|
||||
return *this;
|
||||
}
|
||||
|
||||
template <
|
||||
typename Value,
|
||||
typename = std::enable_if_t<
|
||||
!std::is_same_v<std::decay_t<Value>, unique_any>>>
|
||||
unique_any(Value &&other)
|
||||
: unique_any(
|
||||
std::forward<Value>(other),
|
||||
std::is_copy_constructible<std::decay_t<Value>>()) {
|
||||
}
|
||||
|
||||
template <
|
||||
typename Value,
|
||||
typename = std::enable_if_t<
|
||||
!std::is_same_v<std::decay_t<Value>, unique_any>>>
|
||||
unique_any &operator=(Value &&other) {
|
||||
if constexpr (std::is_copy_constructible_v<std::decay_t<Value>>) {
|
||||
_impl = std::forward<Value>(other);
|
||||
} else if constexpr (std::is_move_constructible_v<std::decay_t<Value>>
|
||||
&& !std::is_lvalue_reference_v<Value>) {
|
||||
_impl = details::wrap_moveable_as_copyable(std::move(other));
|
||||
} else {
|
||||
static_assert(
|
||||
false_t(Value{}),
|
||||
"Bad value for base::unique_any.");
|
||||
}
|
||||
return *this;
|
||||
}
|
||||
|
||||
template <
|
||||
typename Value,
|
||||
typename ...Args,
|
||||
typename = std::enable_if_t<
|
||||
std::is_constructible_v<std::decay_t<Value>, Args...>
|
||||
&& std::is_copy_constructible_v<decay_t<Value>>>>
|
||||
std::decay_t<Value> &emplace(Args &&...args) {
|
||||
return _impl.emplace<Value>(std::forward<Args>(args)...);
|
||||
}
|
||||
|
||||
void reset() noexcept {
|
||||
_impl.reset();
|
||||
}
|
||||
|
||||
void swap(unique_any &other) noexcept {
|
||||
_impl.swap(other._impl);
|
||||
}
|
||||
|
||||
bool has_value() const noexcept {
|
||||
return _impl.has_value();
|
||||
}
|
||||
|
||||
// Should check if it is a moveable_only wrap first.
|
||||
//const std::type_info &type() const noexcept {
|
||||
// return _impl.type();
|
||||
//}
|
||||
|
||||
private:
|
||||
template <
|
||||
typename Value,
|
||||
typename = std::enable_if_t<
|
||||
!std::is_same_v<std::decay_t<Value>, unique_any>
|
||||
&& std::is_copy_constructible_v<std::decay_t<Value>>>>
|
||||
unique_any(Value &&other, std::true_type)
|
||||
: _impl(std::forward<Value>(other)) {
|
||||
}
|
||||
|
||||
template <
|
||||
typename Value,
|
||||
typename = std::enable_if_t<
|
||||
!std::is_same_v<std::decay_t<Value>, unique_any>
|
||||
&& !std::is_copy_constructible_v<std::decay_t<Value>>
|
||||
&& std::is_move_constructible_v<std::decay_t<Value>>
|
||||
&& !std::is_lvalue_reference_v<Value>>>
|
||||
unique_any(Value &&other, std::false_type)
|
||||
: _impl(details::wrap_moveable_as_copyable(std::move(other))) {
|
||||
}
|
||||
|
||||
template <
|
||||
typename Value,
|
||||
typename ...Args>
|
||||
friend unique_any make_any(Args &&...args);
|
||||
|
||||
template <typename Value>
|
||||
friend const Value *any_cast(const unique_any *value) noexcept;
|
||||
|
||||
template <typename Value>
|
||||
friend Value *any_cast(unique_any *value) noexcept;
|
||||
|
||||
std::any _impl;
|
||||
|
||||
};
|
||||
|
||||
inline void swap(unique_any &a, unique_any &b) noexcept {
|
||||
a.swap(b);
|
||||
}
|
||||
|
||||
template <
|
||||
typename Value,
|
||||
typename ...Args>
|
||||
inline auto make_any(Args &&...args)
|
||||
-> std::enable_if_t<
|
||||
std::is_copy_constructible_v<std::decay_t<Value>>,
|
||||
unique_any> {
|
||||
return std::make_any<Value>(std::forward<Args>(args)...);
|
||||
}
|
||||
|
||||
template <
|
||||
typename Value,
|
||||
typename ...Args>
|
||||
inline auto make_any(Args &&...args)
|
||||
-> std::enable_if_t<
|
||||
!std::is_copy_constructible_v<std::decay_t<Value>>
|
||||
&& std::is_move_constructible_v<std::decay_t<Value>>,
|
||||
unique_any> {
|
||||
return Value(std::forward<Args>(args)...);
|
||||
}
|
||||
|
||||
template <typename Value>
|
||||
inline Value *any_cast(unique_any *value) noexcept {
|
||||
if constexpr (std::is_copy_constructible_v<Value>) {
|
||||
return std::any_cast<Value>(&value->_impl);
|
||||
} else if constexpr (std::is_move_constructible_v<Value>) {
|
||||
auto wrap = std::any_cast<
|
||||
details::moveable_as_copyable_wrap<Value>
|
||||
>(&value->_impl);
|
||||
return wrap ? &wrap->value : nullptr;
|
||||
} else {
|
||||
static_assert(
|
||||
false_t(Value{}),
|
||||
"Bad type for base::any_cast.");
|
||||
}
|
||||
}
|
||||
|
||||
template <typename Value>
|
||||
inline const Value *any_cast(const unique_any *value) noexcept {
|
||||
if constexpr (std::is_copy_constructible_v<Value>) {
|
||||
return std::any_cast<Value>(&value->_impl);
|
||||
} else if constexpr (std::is_move_constructible_v<Value>) {
|
||||
auto wrap = std::any_cast<
|
||||
details::moveable_as_copyable_wrap<Value>
|
||||
>(&value->_impl);
|
||||
return wrap ? &wrap->value : nullptr;
|
||||
} else {
|
||||
static_assert(
|
||||
false_t(Value{}),
|
||||
"Bad type for base::any_cast.");
|
||||
}
|
||||
}
|
||||
|
||||
} // namespace base
|
@ -586,8 +586,8 @@ void PeerListContent::addToSearchIndex(not_null<PeerListRow*> row) {
|
||||
}
|
||||
|
||||
removeFromSearchIndex(row);
|
||||
row->setNameFirstChars(row->peer()->chars);
|
||||
for_const (auto ch, row->nameFirstChars()) {
|
||||
row->setNameFirstChars(row->peer()->nameFirstChars());
|
||||
for (auto ch : row->nameFirstChars()) {
|
||||
_searchIndex[ch].push_back(row);
|
||||
}
|
||||
}
|
||||
@ -595,7 +595,7 @@ void PeerListContent::addToSearchIndex(not_null<PeerListRow*> row) {
|
||||
void PeerListContent::removeFromSearchIndex(not_null<PeerListRow*> row) {
|
||||
auto &nameFirstChars = row->nameFirstChars();
|
||||
if (!nameFirstChars.empty()) {
|
||||
for_const (auto ch, row->nameFirstChars()) {
|
||||
for (auto ch : row->nameFirstChars()) {
|
||||
auto it = _searchIndex.find(ch);
|
||||
if (it != _searchIndex.cend()) {
|
||||
auto &entry = it->second;
|
||||
@ -605,7 +605,7 @@ void PeerListContent::removeFromSearchIndex(not_null<PeerListRow*> row) {
|
||||
}
|
||||
}
|
||||
}
|
||||
row->setNameFirstChars(OrderedSet<QChar>());
|
||||
row->setNameFirstChars({});
|
||||
}
|
||||
}
|
||||
|
||||
@ -644,7 +644,9 @@ void PeerListContent::refreshIndices() {
|
||||
}
|
||||
}
|
||||
|
||||
void PeerListContent::removeRowAtIndex(std::vector<std::unique_ptr<PeerListRow>> &from, int index) {
|
||||
void PeerListContent::removeRowAtIndex(
|
||||
std::vector<std::unique_ptr<PeerListRow>> &from,
|
||||
int index) {
|
||||
from.erase(from.begin() + index);
|
||||
for (auto i = index, count = int(from.size()); i != count; ++i) {
|
||||
from[i]->setAbsoluteIndex(i);
|
||||
@ -664,17 +666,40 @@ void PeerListContent::removeRow(not_null<PeerListRow*> row) {
|
||||
Assert(index >= 0 && index < eraseFrom.size());
|
||||
Assert(eraseFrom[index].get() == row);
|
||||
|
||||
auto pressedData = saveSelectedData(_pressed);
|
||||
auto contextedData = saveSelectedData(_contexted);
|
||||
setSelected(Selected());
|
||||
setPressed(Selected());
|
||||
setContexted(Selected());
|
||||
|
||||
_rowsById.erase(row->id());
|
||||
auto &byPeer = _rowsByPeer[row->peer()];
|
||||
byPeer.erase(std::remove(byPeer.begin(), byPeer.end(), row), byPeer.end());
|
||||
removeFromSearchIndex(row);
|
||||
_filterResults.erase(std::find(_filterResults.begin(), _filterResults.end(), row), _filterResults.end());
|
||||
_filterResults.erase(
|
||||
std::find(_filterResults.begin(), _filterResults.end(), row),
|
||||
_filterResults.end());
|
||||
removeRowAtIndex(eraseFrom, index);
|
||||
|
||||
restoreSelection();
|
||||
setPressed(restoreSelectedData(pressedData));
|
||||
setContexted(restoreSelectedData(contextedData));
|
||||
}
|
||||
|
||||
void PeerListContent::clearAllContent() {
|
||||
setSelected(Selected());
|
||||
setPressed(Selected());
|
||||
setContexted(Selected());
|
||||
_rowsById.clear();
|
||||
_rowsByPeer.clear();
|
||||
_filterResults.clear();
|
||||
_searchIndex.clear();
|
||||
_rows.clear();
|
||||
_searchRows.clear();
|
||||
_searchQuery
|
||||
= _normalizedSearchQuery
|
||||
= _mentionHighlight
|
||||
= QString();
|
||||
}
|
||||
|
||||
void PeerListContent::convertRowToSearchResult(not_null<PeerListRow*> row) {
|
||||
@ -926,28 +951,23 @@ void PeerListContent::contextMenuEvent(QContextMenuEvent *e) {
|
||||
_menu->deleteLater();
|
||||
_menu = nullptr;
|
||||
}
|
||||
if (_context.index.value >= 0) {
|
||||
updateRow(_context.index);
|
||||
_context = Selected();
|
||||
}
|
||||
|
||||
setContexted(Selected());
|
||||
if (e->reason() == QContextMenuEvent::Mouse) {
|
||||
handleMouseMove(e->globalPos());
|
||||
}
|
||||
|
||||
_context = _selected;
|
||||
setContexted(_selected);
|
||||
if (_pressButton != Qt::LeftButton) {
|
||||
mousePressReleased(_pressButton);
|
||||
}
|
||||
|
||||
if (auto row = getRow(_context.index)) {
|
||||
if (auto row = getRow(_contexted.index)) {
|
||||
_menu = _controller->rowContextMenu(row);
|
||||
if (_menu) {
|
||||
_menu->setDestroyedCallback(base::lambda_guarded(
|
||||
this,
|
||||
[this] {
|
||||
updateRow(_context.index);
|
||||
_context = Selected();
|
||||
setContexted(Selected());
|
||||
handleMouseMove(QCursor::pos());
|
||||
}));
|
||||
_menu->popup(e->globalPos());
|
||||
@ -977,8 +997,8 @@ TimeMs PeerListContent::paintRow(Painter &p, TimeMs ms, RowIndex index) {
|
||||
|
||||
auto peer = row->peer();
|
||||
auto user = peer->asUser();
|
||||
auto active = (_context.index.value >= 0)
|
||||
? _context
|
||||
auto active = (_contexted.index.value >= 0)
|
||||
? _contexted
|
||||
: (_pressed.index.value >= 0)
|
||||
? _pressed
|
||||
: _selected;
|
||||
@ -1155,7 +1175,7 @@ void PeerListContent::checkScrollForPreload() {
|
||||
|
||||
void PeerListContent::searchQueryChanged(QString query) {
|
||||
auto searchWordsList = TextUtilities::PrepareSearchWords(query);
|
||||
auto normalizedQuery = searchWordsList.isEmpty() ? QString() : searchWordsList.join(' ');
|
||||
auto normalizedQuery = searchWordsList.join(' ');
|
||||
if (_normalizedSearchQuery != normalizedQuery) {
|
||||
setSearchQuery(query, normalizedQuery);
|
||||
if (_controller->searchInLocal() && !searchWordsList.isEmpty()) {
|
||||
@ -1172,15 +1192,18 @@ void PeerListContent::searchQueryChanged(QString query) {
|
||||
}
|
||||
}
|
||||
if (minimalList) {
|
||||
auto searchWordInNames = [](PeerData *peer, const QString &searchWord) {
|
||||
for_const (auto &nameWord, peer->names) {
|
||||
auto searchWordInNames = [](
|
||||
not_null<PeerData*> peer,
|
||||
const QString &searchWord) {
|
||||
for (auto &nameWord : peer->nameWords()) {
|
||||
if (nameWord.startsWith(searchWord)) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
return false;
|
||||
};
|
||||
auto allSearchWordsInNames = [searchWordInNames, &searchWordsList](PeerData *peer) {
|
||||
auto allSearchWordsInNames = [&](
|
||||
not_null<PeerData*> peer) {
|
||||
for_const (auto &searchWord, searchWordsList) {
|
||||
if (!searchWordInNames(peer, searchWord)) {
|
||||
return false;
|
||||
@ -1205,12 +1228,58 @@ void PeerListContent::searchQueryChanged(QString query) {
|
||||
}
|
||||
}
|
||||
|
||||
void PeerListContent::setSearchQuery(const QString &query, const QString &normalizedQuery) {
|
||||
std::unique_ptr<PeerListState> PeerListContent::saveState() const {
|
||||
auto result = std::make_unique<PeerListState>();
|
||||
result->controllerState = EmptyControllerState();
|
||||
result->list.reserve(_rows.size());
|
||||
for (auto &row : _rows) {
|
||||
result->list.push_back(row->peer());
|
||||
}
|
||||
result->filterResults.reserve(_filterResults.size());
|
||||
for (auto &row : _filterResults) {
|
||||
result->filterResults.push_back(row->peer());
|
||||
}
|
||||
result->searchQuery = _searchQuery;
|
||||
return result;
|
||||
}
|
||||
|
||||
void PeerListContent::restoreState(
|
||||
std::unique_ptr<PeerListState> state) {
|
||||
if (!state || !state->controllerState.has_value()) {
|
||||
return;
|
||||
}
|
||||
|
||||
clearAllContent();
|
||||
|
||||
for (auto peer : state->list) {
|
||||
if (auto row = _controller->createRestoredRow(peer)) {
|
||||
appendRow(std::move(row));
|
||||
}
|
||||
}
|
||||
auto query = state->searchQuery;
|
||||
auto searchWords = TextUtilities::PrepareSearchWords(query);
|
||||
setSearchQuery(query, searchWords.join(' '));
|
||||
for (auto peer : state->filterResults) {
|
||||
if (auto existingRow = findRow(peer->id)) {
|
||||
_filterResults.push_back(existingRow);
|
||||
} else if (auto row = _controller->createSearchRow(peer)) {
|
||||
appendSearchRow(std::move(row));
|
||||
}
|
||||
}
|
||||
refreshRows();
|
||||
}
|
||||
|
||||
void PeerListContent::setSearchQuery(
|
||||
const QString &query,
|
||||
const QString &normalizedQuery) {
|
||||
setSelected(Selected());
|
||||
setPressed(Selected());
|
||||
setContexted(Selected());
|
||||
_searchQuery = query;
|
||||
_normalizedSearchQuery = normalizedQuery;
|
||||
_mentionHighlight = _searchQuery.startsWith('@') ? _searchQuery.mid(1) : _searchQuery;
|
||||
_mentionHighlight = _searchQuery.startsWith('@')
|
||||
? _searchQuery.mid(1)
|
||||
: _searchQuery;
|
||||
_filterResults.clear();
|
||||
clearSearchRows();
|
||||
}
|
||||
@ -1239,11 +1308,38 @@ void PeerListContent::setSelected(Selected selected) {
|
||||
}
|
||||
}
|
||||
|
||||
void PeerListContent::setContexted(Selected contexted) {
|
||||
updateRow(_contexted.index);
|
||||
if (_contexted != contexted) {
|
||||
_contexted = contexted;
|
||||
updateRow(_contexted.index);
|
||||
}
|
||||
}
|
||||
|
||||
void PeerListContent::restoreSelection() {
|
||||
_lastMousePosition = QCursor::pos();
|
||||
updateSelection();
|
||||
}
|
||||
|
||||
auto PeerListContent::saveSelectedData(Selected from)
|
||||
-> SelectedSaved {
|
||||
if (auto row = getRow(from.index)) {
|
||||
return { row->id(), from };
|
||||
}
|
||||
return { PeerListRowId(0), from };
|
||||
}
|
||||
|
||||
auto PeerListContent::restoreSelectedData(SelectedSaved from)
|
||||
-> Selected {
|
||||
auto result = from.old;
|
||||
if (auto row = findRow(from.id)) {
|
||||
result.index = findRowIndex(row, result.index);
|
||||
} else {
|
||||
result.index.value = -1;
|
||||
}
|
||||
return result;
|
||||
}
|
||||
|
||||
void PeerListContent::updateSelection() {
|
||||
if (!_mouseSelection) return;
|
||||
|
||||
@ -1305,6 +1401,9 @@ void PeerListContent::updateRow(RowIndex index) {
|
||||
if (index == _pressed.index) {
|
||||
setPressed(Selected());
|
||||
}
|
||||
if (index == _contexted.index) {
|
||||
setContexted(Selected());
|
||||
}
|
||||
}
|
||||
update(0, getRowTop(index), width(), _rowHeight);
|
||||
}
|
||||
@ -1349,7 +1448,9 @@ PeerListRow *PeerListContent::getRow(RowIndex index) {
|
||||
return nullptr;
|
||||
}
|
||||
|
||||
PeerListContent::RowIndex PeerListContent::findRowIndex(not_null<PeerListRow*> row, RowIndex hint) {
|
||||
PeerListContent::RowIndex PeerListContent::findRowIndex(
|
||||
not_null<PeerListRow*> row,
|
||||
RowIndex hint) {
|
||||
if (!showingSearch()) {
|
||||
Assert(!row->isSearchResult());
|
||||
return RowIndex(row->absoluteIndex());
|
||||
|
@ -161,10 +161,10 @@ public:
|
||||
int outerWidth);
|
||||
float64 checkedRatio();
|
||||
|
||||
void setNameFirstChars(const OrderedSet<QChar> &nameFirstChars) {
|
||||
void setNameFirstChars(const base::flat_set<QChar> &nameFirstChars) {
|
||||
_nameFirstChars = nameFirstChars;
|
||||
}
|
||||
const OrderedSet<QChar> &nameFirstChars() const {
|
||||
const base::flat_set<QChar> &nameFirstChars() const {
|
||||
return _nameFirstChars;
|
||||
}
|
||||
|
||||
@ -202,7 +202,7 @@ private:
|
||||
Text _status;
|
||||
StatusType _statusType = StatusType::Online;
|
||||
TimeMs _statusValidTill = 0;
|
||||
OrderedSet<QChar> _nameFirstChars;
|
||||
base::flat_set<QChar> _nameFirstChars;
|
||||
int _absoluteIndex = -1;
|
||||
State _disabledState = State::Active;
|
||||
bool _initialized : 1;
|
||||
@ -215,6 +215,17 @@ enum class PeerListSearchMode {
|
||||
Enabled,
|
||||
};
|
||||
|
||||
struct PeerListState {
|
||||
PeerListState() = default;
|
||||
PeerListState(PeerListState &&other) = delete;
|
||||
PeerListState &operator=(PeerListState &&other) = delete;
|
||||
|
||||
base::unique_any controllerState;
|
||||
std::vector<not_null<PeerData*>> list;
|
||||
std::vector<not_null<PeerData*>> filterResults;
|
||||
QString searchQuery;
|
||||
};
|
||||
|
||||
class PeerListDelegate {
|
||||
public:
|
||||
virtual void peerListSetTitle(base::lambda<QString()> title) = 0;
|
||||
@ -252,6 +263,9 @@ public:
|
||||
|
||||
virtual int peerListSelectedRowsCount() = 0;
|
||||
virtual std::vector<not_null<PeerData*>> peerListCollectSelectedRows() = 0;
|
||||
virtual std::unique_ptr<PeerListState> peerListSaveState() = 0;
|
||||
virtual void peerListRestoreState(
|
||||
std::unique_ptr<PeerListState> state) = 0;
|
||||
virtual ~PeerListDelegate() = default;
|
||||
|
||||
private:
|
||||
@ -279,6 +293,12 @@ public:
|
||||
_delegate = delegate;
|
||||
}
|
||||
|
||||
virtual base::unique_any saveState() {
|
||||
return {};
|
||||
}
|
||||
virtual void restoreState(base::unique_any &&state) {
|
||||
}
|
||||
|
||||
protected:
|
||||
not_null<PeerListSearchDelegate*> delegate() const {
|
||||
return _delegate;
|
||||
@ -314,9 +334,22 @@ public:
|
||||
bool isSearchLoading() const {
|
||||
return _searchController ? _searchController->isLoading() : false;
|
||||
}
|
||||
virtual std::unique_ptr<PeerListRow> createSearchRow(not_null<PeerData*> peer) {
|
||||
virtual std::unique_ptr<PeerListRow> createSearchRow(
|
||||
not_null<PeerData*> peer) {
|
||||
return nullptr;
|
||||
}
|
||||
virtual std::unique_ptr<PeerListRow> createRestoredRow(
|
||||
not_null<PeerData*> peer) {
|
||||
return nullptr;
|
||||
}
|
||||
|
||||
virtual std::unique_ptr<PeerListState> saveState() {
|
||||
return delegate()->peerListSaveState();
|
||||
}
|
||||
virtual void restoreState(
|
||||
std::unique_ptr<PeerListState> state) {
|
||||
delegate()->peerListRestoreState(std::move(state));
|
||||
}
|
||||
|
||||
bool isRowSelected(not_null<PeerData*> peer) {
|
||||
return delegate()->peerListIsRowSelected(peer);
|
||||
@ -418,6 +451,9 @@ public:
|
||||
update();
|
||||
}
|
||||
|
||||
std::unique_ptr<PeerListState> saveState() const;
|
||||
void restoreState(std::unique_ptr<PeerListState> state);
|
||||
|
||||
auto scrollToRequests() const {
|
||||
return _scrollToRequests.events();
|
||||
}
|
||||
@ -473,10 +509,23 @@ private:
|
||||
friend inline bool operator!=(Selected a, Selected b) {
|
||||
return !(a == b);
|
||||
}
|
||||
struct SelectedSaved {
|
||||
SelectedSaved(PeerListRowId id, Selected old)
|
||||
: id(id), old(old) {
|
||||
}
|
||||
PeerListRowId id = 0;
|
||||
Selected old;
|
||||
};
|
||||
|
||||
struct EmptyControllerState {
|
||||
};
|
||||
|
||||
void setSelected(Selected selected);
|
||||
void setPressed(Selected pressed);
|
||||
void setContexted(Selected contexted);
|
||||
void restoreSelection();
|
||||
SelectedSaved saveSelectedData(Selected from);
|
||||
Selected restoreSelectedData(SelectedSaved from);
|
||||
|
||||
void updateSelection();
|
||||
void loadProfilePhotos();
|
||||
@ -511,6 +560,7 @@ private:
|
||||
int labelHeight() const;
|
||||
|
||||
void clearSearchRows();
|
||||
void clearAllContent();
|
||||
void handleMouseMove(QPoint position);
|
||||
void mousePressReleased(Qt::MouseButton button);
|
||||
|
||||
@ -524,7 +574,7 @@ private:
|
||||
|
||||
Selected _selected;
|
||||
Selected _pressed;
|
||||
Selected _context;
|
||||
Selected _contexted;
|
||||
bool _mouseSelection = false;
|
||||
Qt::MouseButton _pressButton = Qt::LeftButton;
|
||||
|
||||
@ -649,6 +699,13 @@ public:
|
||||
});
|
||||
return result;
|
||||
}
|
||||
std::unique_ptr<PeerListState> peerListSaveState() override {
|
||||
return _content->saveState();
|
||||
}
|
||||
void peerListRestoreState(
|
||||
std::unique_ptr<PeerListState> state) override {
|
||||
_content->restoreState(std::move(state));
|
||||
}
|
||||
|
||||
protected:
|
||||
not_null<PeerListContent*> content() const {
|
||||
@ -660,7 +717,9 @@ private:
|
||||
|
||||
};
|
||||
|
||||
class PeerListBox : public BoxContent, public PeerListContentDelegate {
|
||||
class PeerListBox
|
||||
: public BoxContent
|
||||
, public PeerListContentDelegate {
|
||||
public:
|
||||
PeerListBox(
|
||||
QWidget*,
|
||||
@ -670,7 +729,8 @@ public:
|
||||
void peerListSetTitle(base::lambda<QString()> title) override {
|
||||
setTitle(std::move(title));
|
||||
}
|
||||
void peerListSetAdditionalTitle(base::lambda<QString()> title) override {
|
||||
void peerListSetAdditionalTitle(
|
||||
base::lambda<QString()> title) override {
|
||||
setAdditionalTitle(std::move(title));
|
||||
}
|
||||
void peerListSetSearchMode(PeerListSearchMode mode) override;
|
||||
@ -691,12 +751,15 @@ protected:
|
||||
void paintEvent(QPaintEvent *e) override;
|
||||
|
||||
private:
|
||||
void peerListAddSelectedRowInBunch(not_null<PeerData*> peer) override {
|
||||
void peerListAddSelectedRowInBunch(
|
||||
not_null<PeerData*> peer) override {
|
||||
addSelectItem(peer, PeerListRow::SetStyle::Fast);
|
||||
}
|
||||
void peerListFinishSelectedRowsBunch() override;
|
||||
|
||||
void addSelectItem(not_null<PeerData*> peer, PeerListRow::SetStyle style);
|
||||
void addSelectItem(
|
||||
not_null<PeerData*> peer,
|
||||
PeerListRow::SetStyle style);
|
||||
void createMultiSelect();
|
||||
int getTopScrollSkip() const;
|
||||
void updateScrollSkips();
|
||||
|
@ -349,7 +349,7 @@ void ShareBox::Inner::activateSkipPage(int pageHeight, int direction) {
|
||||
|
||||
void ShareBox::Inner::notifyPeerUpdated(const Notify::PeerUpdate &update) {
|
||||
if (update.flags & Notify::PeerUpdate::Flag::NameChanged) {
|
||||
_chatsIndexed->peerNameChanged(update.peer, update.oldNames, update.oldNameFirstChars);
|
||||
_chatsIndexed->peerNameChanged(update.peer, update.oldNameFirstChars);
|
||||
}
|
||||
|
||||
updateChat(update.peer);
|
||||
@ -635,7 +635,10 @@ void ShareBox::Inner::changeCheckState(Chat *chat) {
|
||||
if (!_filter.isEmpty()) {
|
||||
auto row = _chatsIndexed->getRow(chat->peer->id);
|
||||
if (!row) {
|
||||
row = _chatsIndexed->addToEnd(App::history(chat->peer)).value(0);
|
||||
auto rowsByLetter = _chatsIndexed->addToEnd(App::history(chat->peer));
|
||||
auto it = rowsByLetter.find(0);
|
||||
Assert(it != rowsByLetter.cend());
|
||||
row = it->second;
|
||||
}
|
||||
chat = getChat(row);
|
||||
if (!chat->checkbox.checked()) {
|
||||
@ -712,8 +715,8 @@ void ShareBox::Inner::updateFilter(QString filter) {
|
||||
if (toFilter) {
|
||||
_filtered.reserve(toFilter->size());
|
||||
for_const (auto row, *toFilter) {
|
||||
auto &names = row->history()->peer->names;
|
||||
PeerData::Names::const_iterator nb = names.cbegin(), ne = names.cend(), ni;
|
||||
auto &nameWords = row->history()->peer->nameWords();
|
||||
auto nb = nameWords.cbegin(), ne = nameWords.cend(), ni = nb;
|
||||
for (fi = fb; fi != fe; ++fi) {
|
||||
auto filterName = *fi;
|
||||
for (ni = nb; ni != ne; ++ni) {
|
||||
|
@ -172,9 +172,9 @@ void FieldAutocomplete::updateFiltered(bool resetScroll) {
|
||||
return true;
|
||||
};
|
||||
auto filterNotPassedByName = [this, &filterNotPassedByUsername](UserData *user) -> bool {
|
||||
for_const (auto &namePart, user->names) {
|
||||
if (namePart.startsWith(_filter, Qt::CaseInsensitive)) {
|
||||
bool exactUsername = (user->username.compare(_filter, Qt::CaseInsensitive) == 0);
|
||||
for (auto &nameWord : user->nameWords()) {
|
||||
if (nameWord.startsWith(_filter, Qt::CaseInsensitive)) {
|
||||
auto exactUsername = (user->username.compare(_filter, Qt::CaseInsensitive) == 0);
|
||||
return exactUsername;
|
||||
}
|
||||
}
|
||||
|
@ -293,8 +293,7 @@ void PeerData::updateNameDelayed(const QString &newName, const QString &newNameO
|
||||
|
||||
Notify::PeerUpdate update(this);
|
||||
update.flags |= UpdateFlag::NameChanged;
|
||||
update.oldNames = names;
|
||||
update.oldNameFirstChars = chars;
|
||||
update.oldNameFirstChars = nameFirstChars();
|
||||
|
||||
if (isUser()) {
|
||||
if (asUser()->username != newUsername) {
|
||||
@ -453,8 +452,8 @@ void UserData::setPhoto(const MTPUserProfilePhoto &p) { // see Local::readPeer a
|
||||
}
|
||||
|
||||
void PeerData::fillNames() {
|
||||
names.clear();
|
||||
chars.clear();
|
||||
_nameWords.clear();
|
||||
_nameFirstChars.clear();
|
||||
auto toIndex = TextUtilities::RemoveAccents(name);
|
||||
if (cRussianLetters().match(toIndex).hasMatch()) {
|
||||
toIndex += ' ' + translitRusEng(toIndex);
|
||||
@ -469,8 +468,8 @@ void PeerData::fillNames() {
|
||||
|
||||
auto namesList = TextUtilities::PrepareSearchWords(toIndex);
|
||||
for (auto &name : namesList) {
|
||||
names.insert(name);
|
||||
chars.insert(name[0]);
|
||||
_nameWords.insert(name);
|
||||
_nameFirstChars.insert(name[0]);
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -204,10 +204,15 @@ public:
|
||||
|
||||
QString name;
|
||||
Text nameText;
|
||||
using Names = OrderedSet<QString>;
|
||||
Names names; // for filtering
|
||||
using NameFirstChars = OrderedSet<QChar>;
|
||||
NameFirstChars chars;
|
||||
|
||||
using NameWords = base::flat_set<QString>;
|
||||
using NameFirstChars = base::flat_set<QChar>;
|
||||
const NameWords &nameWords() const {
|
||||
return _nameWords;
|
||||
}
|
||||
const NameFirstChars &nameFirstChars() const {
|
||||
return _nameFirstChars;
|
||||
}
|
||||
|
||||
enum LoadedStatus {
|
||||
NotLoaded = 0x00,
|
||||
@ -292,6 +297,8 @@ private:
|
||||
void fillNames();
|
||||
|
||||
ClickHandlerPtr _openLink;
|
||||
NameWords _nameWords; // for filtering
|
||||
NameFirstChars _nameFirstChars;
|
||||
|
||||
int _colorIndex = 0;
|
||||
TimeMs _lastFullUpdate = 0;
|
||||
|
@ -20,10 +20,12 @@ Copyright (c) 2014-2017 John Preston, https://desktop.telegram.org
|
||||
*/
|
||||
#pragma once
|
||||
|
||||
#include "base/flat_map.h"
|
||||
|
||||
namespace Dialogs {
|
||||
|
||||
class Row;
|
||||
using RowsByLetter = QMap<QChar, Row*>;
|
||||
using RowsByLetter = base::flat_map<QChar, Row*>;
|
||||
|
||||
enum class SortMode {
|
||||
Date = 0x00,
|
||||
|
@ -24,19 +24,22 @@ namespace Dialogs {
|
||||
|
||||
IndexedList::IndexedList(SortMode sortMode)
|
||||
: _sortMode(sortMode)
|
||||
, _list(sortMode) {
|
||||
, _list(sortMode)
|
||||
, _empty(sortMode) {
|
||||
}
|
||||
|
||||
RowsByLetter IndexedList::addToEnd(History *history) {
|
||||
RowsByLetter result;
|
||||
if (!_list.contains(history->peer->id)) {
|
||||
result.insert(0, _list.addToEnd(history));
|
||||
for_const (auto ch, history->peer->chars) {
|
||||
result.emplace(0, _list.addToEnd(history));
|
||||
for (auto ch : history->peer->nameFirstChars()) {
|
||||
auto j = _index.find(ch);
|
||||
if (j == _index.cend()) {
|
||||
j = _index.insert(ch, new List(_sortMode));
|
||||
j = _index.emplace(
|
||||
ch,
|
||||
std::make_unique<List>(_sortMode)).first;
|
||||
}
|
||||
result.insert(ch, j.value()->addToEnd(history));
|
||||
result.emplace(ch, j->second->addToEnd(history));
|
||||
}
|
||||
}
|
||||
return result;
|
||||
@ -48,33 +51,35 @@ Row *IndexedList::addByName(History *history) {
|
||||
}
|
||||
|
||||
Row *result = _list.addByName(history);
|
||||
for_const (auto ch, history->peer->chars) {
|
||||
for (auto ch : history->peer->nameFirstChars()) {
|
||||
auto j = _index.find(ch);
|
||||
if (j == _index.cend()) {
|
||||
j = _index.insert(ch, new List(_sortMode));
|
||||
j = _index.emplace(
|
||||
ch,
|
||||
std::make_unique<List>(_sortMode)).first;
|
||||
}
|
||||
j.value()->addByName(history);
|
||||
j->second->addByName(history);
|
||||
}
|
||||
return result;
|
||||
}
|
||||
|
||||
void IndexedList::adjustByPos(const RowsByLetter &links) {
|
||||
for (auto i = links.cbegin(), e = links.cend(); i != e; ++i) {
|
||||
if (i.key() == QChar(0)) {
|
||||
_list.adjustByPos(i.value());
|
||||
for (auto [ch, row] : links) {
|
||||
if (ch == QChar(0)) {
|
||||
_list.adjustByPos(row);
|
||||
} else {
|
||||
if (auto list = _index.value(i.key())) {
|
||||
list->adjustByPos(i.value());
|
||||
if (auto it = _index.find(ch); it != _index.cend()) {
|
||||
it->second->adjustByPos(row);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
void IndexedList::moveToTop(PeerData *peer) {
|
||||
void IndexedList::moveToTop(not_null<PeerData*> peer) {
|
||||
if (_list.moveToTop(peer->id)) {
|
||||
for_const (auto ch, peer->chars) {
|
||||
if (auto list = _index.value(ch)) {
|
||||
list->moveToTop(peer->id);
|
||||
for (auto ch : peer->nameFirstChars()) {
|
||||
if (auto it = _index.find(ch); it != _index.cend()) {
|
||||
it->second->moveToTop(peer->id);
|
||||
}
|
||||
}
|
||||
}
|
||||
@ -99,62 +104,64 @@ void IndexedList::movePinned(Row *row, int deltaSign) {
|
||||
history2->setPinnedIndex(index1);
|
||||
}
|
||||
|
||||
void IndexedList::peerNameChanged(PeerData *peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars) {
|
||||
void IndexedList::peerNameChanged(not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars) {
|
||||
Assert(_sortMode != SortMode::Date);
|
||||
if (_sortMode == SortMode::Name) {
|
||||
adjustByName(peer, oldNames, oldChars);
|
||||
adjustByName(peer, oldChars);
|
||||
} else {
|
||||
adjustNames(Dialogs::Mode::All, peer, oldNames, oldChars);
|
||||
adjustNames(Dialogs::Mode::All, peer, oldChars);
|
||||
}
|
||||
}
|
||||
|
||||
void IndexedList::peerNameChanged(Mode list, PeerData *peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars) {
|
||||
void IndexedList::peerNameChanged(Mode list, not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars) {
|
||||
Assert(_sortMode == SortMode::Date);
|
||||
adjustNames(list, peer, oldNames, oldChars);
|
||||
adjustNames(list, peer, oldChars);
|
||||
}
|
||||
|
||||
void IndexedList::adjustByName(PeerData *peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars) {
|
||||
void IndexedList::adjustByName(not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars) {
|
||||
Row *mainRow = _list.adjustByName(peer);
|
||||
if (!mainRow) return;
|
||||
|
||||
History *history = mainRow->history();
|
||||
|
||||
PeerData::NameFirstChars toRemove = oldChars, toAdd;
|
||||
for_const (auto ch, peer->chars) {
|
||||
for (auto ch : peer->nameFirstChars()) {
|
||||
auto j = toRemove.find(ch);
|
||||
if (j == toRemove.cend()) {
|
||||
toAdd.insert(ch);
|
||||
} else {
|
||||
toRemove.erase(j);
|
||||
if (auto list = _index.value(ch)) {
|
||||
list->adjustByName(peer);
|
||||
if (auto it = _index.find(ch); it != _index.cend()) {
|
||||
it->second->adjustByName(peer);
|
||||
}
|
||||
}
|
||||
}
|
||||
for_const (auto ch, toRemove) {
|
||||
if (auto list = _index.value(ch)) {
|
||||
list->del(peer->id, mainRow);
|
||||
for (auto ch : toRemove) {
|
||||
if (auto it = _index.find(ch); it != _index.cend()) {
|
||||
it->second->del(peer->id, mainRow);
|
||||
}
|
||||
}
|
||||
if (!toAdd.isEmpty()) {
|
||||
for_const (auto ch, toAdd) {
|
||||
if (!toAdd.empty()) {
|
||||
for (auto ch : toAdd) {
|
||||
auto j = _index.find(ch);
|
||||
if (j == _index.cend()) {
|
||||
j = _index.insert(ch, new List(_sortMode));
|
||||
j = _index.emplace(
|
||||
ch,
|
||||
std::make_unique<List>(_sortMode)).first;
|
||||
}
|
||||
j.value()->addByName(history);
|
||||
j->second->addByName(history);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
void IndexedList::adjustNames(Mode list, PeerData *peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars) {
|
||||
void IndexedList::adjustNames(Mode list, not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars) {
|
||||
auto mainRow = _list.getRow(peer->id);
|
||||
if (!mainRow) return;
|
||||
|
||||
History *history = mainRow->history();
|
||||
auto history = mainRow->history();
|
||||
|
||||
PeerData::NameFirstChars toRemove = oldChars, toAdd;
|
||||
for_const (auto ch, peer->chars) {
|
||||
for (auto ch : peer->nameFirstChars()) {
|
||||
auto j = toRemove.find(ch);
|
||||
if (j == toRemove.cend()) {
|
||||
toAdd.insert(ch);
|
||||
@ -162,40 +169,40 @@ void IndexedList::adjustNames(Mode list, PeerData *peer, const PeerData::Names &
|
||||
toRemove.erase(j);
|
||||
}
|
||||
}
|
||||
for_const (auto ch, toRemove) {
|
||||
for (auto ch : toRemove) {
|
||||
if (_sortMode == SortMode::Date) {
|
||||
history->removeChatListEntryByLetter(list, ch);
|
||||
}
|
||||
if (auto list = _index.value(ch)) {
|
||||
list->del(peer->id, mainRow);
|
||||
if (auto it = _index.find(ch); it != _index.cend()) {
|
||||
it->second->del(peer->id, mainRow);
|
||||
}
|
||||
}
|
||||
for_const (auto ch, toAdd) {
|
||||
for (auto ch : toAdd) {
|
||||
auto j = _index.find(ch);
|
||||
if (j == _index.cend()) {
|
||||
j = _index.insert(ch, new List(_sortMode));
|
||||
j = _index.emplace(
|
||||
ch,
|
||||
std::make_unique<List>(_sortMode)).first;
|
||||
}
|
||||
Row *row = j.value()->addToEnd(history);
|
||||
auto row = j->second->addToEnd(history);
|
||||
if (_sortMode == SortMode::Date) {
|
||||
history->addChatListEntryByLetter(list, ch, row);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
void IndexedList::del(const PeerData *peer, Row *replacedBy) {
|
||||
void IndexedList::del(not_null<const PeerData*> peer, Row *replacedBy) {
|
||||
if (_list.del(peer->id, replacedBy)) {
|
||||
for_const (auto ch, peer->chars) {
|
||||
if (auto list = _index.value(ch)) {
|
||||
list->del(peer->id, replacedBy);
|
||||
for (auto ch : peer->nameFirstChars()) {
|
||||
if (auto it = _index.find(ch); it != _index.cend()) {
|
||||
it->second->del(peer->id, replacedBy);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
void IndexedList::clear() {
|
||||
for_const (auto &list, _index) {
|
||||
delete list;
|
||||
}
|
||||
_index.clear();
|
||||
}
|
||||
|
||||
IndexedList::~IndexedList() {
|
||||
|
@ -34,26 +34,28 @@ public:
|
||||
RowsByLetter addToEnd(History *history);
|
||||
Row *addByName(History *history);
|
||||
void adjustByPos(const RowsByLetter &links);
|
||||
void moveToTop(PeerData *peer);
|
||||
void moveToTop(not_null<PeerData*> peer);
|
||||
|
||||
// row must belong to this indexed list all().
|
||||
void movePinned(Row *row, int deltaSign);
|
||||
|
||||
// For sortMode != SortMode::Date
|
||||
void peerNameChanged(PeerData *peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars);
|
||||
void peerNameChanged(not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars);
|
||||
|
||||
//For sortMode == SortMode::Date
|
||||
void peerNameChanged(Mode list, PeerData *peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars);
|
||||
void peerNameChanged(Mode list, not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars);
|
||||
|
||||
void del(const PeerData *peer, Row *replacedBy = nullptr);
|
||||
void del(not_null<const PeerData*> peer, Row *replacedBy = nullptr);
|
||||
void clear();
|
||||
|
||||
const List &all() const {
|
||||
return _list;
|
||||
}
|
||||
const List *filtered(QChar ch) const {
|
||||
static StaticNeverFreedPointer<List> empty(new List(SortMode::Add));
|
||||
return _index.value(ch, empty.data());
|
||||
if (auto it = _index.find(ch); it != _index.cend()) {
|
||||
return it->second.get();
|
||||
}
|
||||
return &_empty;
|
||||
}
|
||||
|
||||
~IndexedList();
|
||||
@ -81,13 +83,12 @@ public:
|
||||
iterator find(int y, int h) { return all().find(y, h); }
|
||||
|
||||
private:
|
||||
void adjustByName(PeerData *peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars);
|
||||
void adjustNames(Mode list, PeerData *peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars);
|
||||
void adjustByName(not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars);
|
||||
void adjustNames(Mode list, not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars);
|
||||
|
||||
SortMode _sortMode;
|
||||
List _list;
|
||||
using Index = QMap<QChar, List*>;
|
||||
Index _index;
|
||||
List _list, _empty;
|
||||
base::flat_map<QChar, std::unique_ptr<List>> _index;
|
||||
|
||||
};
|
||||
|
||||
|
@ -122,7 +122,7 @@ DialogsInner::DialogsInner(QWidget *parent, not_null<Window::Controller*> contro
|
||||
stopReorderPinned();
|
||||
}
|
||||
if (update.flags & UpdateFlag::NameChanged) {
|
||||
handlePeerNameChange(update.peer, update.oldNames, update.oldNameFirstChars);
|
||||
handlePeerNameChange(update.peer, update.oldNameFirstChars);
|
||||
}
|
||||
if (update.flags & UpdateFlag::PhotoChanged) {
|
||||
this->update();
|
||||
@ -1271,13 +1271,13 @@ void DialogsInner::onParentGeometryChanged() {
|
||||
}
|
||||
}
|
||||
|
||||
void DialogsInner::handlePeerNameChange(not_null<PeerData*> peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars) {
|
||||
_dialogs->peerNameChanged(Dialogs::Mode::All, peer, oldNames, oldChars);
|
||||
void DialogsInner::handlePeerNameChange(not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars) {
|
||||
_dialogs->peerNameChanged(Dialogs::Mode::All, peer, oldChars);
|
||||
if (_dialogsImportant) {
|
||||
_dialogsImportant->peerNameChanged(Dialogs::Mode::Important, peer, oldNames, oldChars);
|
||||
_dialogsImportant->peerNameChanged(Dialogs::Mode::Important, peer, oldChars);
|
||||
}
|
||||
_contactsNoDialogs->peerNameChanged(peer, oldNames, oldChars);
|
||||
_contacts->peerNameChanged(peer, oldNames, oldChars);
|
||||
_contactsNoDialogs->peerNameChanged(peer, oldChars);
|
||||
_contacts->peerNameChanged(peer, oldChars);
|
||||
update();
|
||||
}
|
||||
|
||||
@ -1323,12 +1323,12 @@ void DialogsInner::onFilterUpdate(QString newFilter, bool force) {
|
||||
_filterResults.reserve((toFilter ? toFilter->size() : 0) + (toFilterContacts ? toFilterContacts->size() : 0));
|
||||
if (toFilter) {
|
||||
for_const (auto row, *toFilter) {
|
||||
const PeerData::Names &names(row->history()->peer->names);
|
||||
PeerData::Names::const_iterator nb = names.cbegin(), ne = names.cend(), ni;
|
||||
const auto &nameWords = row->history()->peer->nameWords();
|
||||
auto nb = nameWords.cbegin(), ne = nameWords.cend(), ni = nb;
|
||||
for (fi = fb; fi != fe; ++fi) {
|
||||
QString filterName(*fi);
|
||||
auto filterWord = *fi;
|
||||
for (ni = nb; ni != ne; ++ni) {
|
||||
if (ni->startsWith(*fi)) {
|
||||
if (ni->startsWith(filterWord)) {
|
||||
break;
|
||||
}
|
||||
}
|
||||
@ -1343,12 +1343,12 @@ void DialogsInner::onFilterUpdate(QString newFilter, bool force) {
|
||||
}
|
||||
if (toFilterContacts) {
|
||||
for_const (auto row, *toFilterContacts) {
|
||||
const PeerData::Names &names(row->history()->peer->names);
|
||||
PeerData::Names::const_iterator nb = names.cbegin(), ne = names.cend(), ni;
|
||||
const auto &nameWords = row->history()->peer->nameWords();
|
||||
auto nb = nameWords.cbegin(), ne = nameWords.cend(), ni = nb;
|
||||
for (fi = fb; fi != fe; ++fi) {
|
||||
QString filterName(*fi);
|
||||
auto filterWord = *fi;
|
||||
for (ni = nb; ni != ne; ++ni) {
|
||||
if (ni->startsWith(*fi)) {
|
||||
if (ni->startsWith(filterWord)) {
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
@ -174,7 +174,7 @@ private:
|
||||
bool isSelected() const {
|
||||
return _importantSwitchSelected || _selected || (_hashtagSelected >= 0) || (_filteredSelected >= 0) || (_peerSearchSelected >= 0) || (_searchedSelected >= 0);
|
||||
}
|
||||
void handlePeerNameChange(not_null<PeerData*> peer, const PeerData::Names &oldNames, const PeerData::NameFirstChars &oldChars);
|
||||
void handlePeerNameChange(not_null<PeerData*> peer, const PeerData::NameFirstChars &oldChars);
|
||||
|
||||
void itemRemoved(not_null<const HistoryItem*> item);
|
||||
enum class UpdateRowSection {
|
||||
|
@ -2330,7 +2330,7 @@ void History::removeChatListEntryByLetter(Dialogs::Mode list, QChar letter) {
|
||||
void History::addChatListEntryByLetter(Dialogs::Mode list, QChar letter, Dialogs::Row *row) {
|
||||
Assert(letter != 0);
|
||||
if (inChatList(list)) {
|
||||
chatListLinks(list).insert(letter, row);
|
||||
chatListLinks(list).emplace(letter, row);
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -285,7 +285,7 @@ public:
|
||||
};
|
||||
PositionInChatListChange adjustByPosInChatList(Dialogs::Mode list, Dialogs::IndexedList *indexed);
|
||||
bool inChatList(Dialogs::Mode list) const {
|
||||
return !chatListLinks(list).isEmpty();
|
||||
return !chatListLinks(list).empty();
|
||||
}
|
||||
int posInChatList(Dialogs::Mode list) const;
|
||||
Dialogs::Row *addToChatList(Dialogs::Mode list, Dialogs::IndexedList *indexed);
|
||||
@ -576,9 +576,9 @@ private:
|
||||
return _chatListLinks[static_cast<int>(list)];
|
||||
}
|
||||
Dialogs::Row *mainChatListLink(Dialogs::Mode list) const {
|
||||
auto it = chatListLinks(list).constFind(0);
|
||||
auto it = chatListLinks(list).find(0);
|
||||
Assert(it != chatListLinks(list).cend());
|
||||
return it.value();
|
||||
return it->second;
|
||||
}
|
||||
uint64 _sortKeyInChatList = 0; // like ((unixtime) << 32) | (incremented counter)
|
||||
|
||||
|
@ -262,15 +262,15 @@ Cover *Cover::setOnlineCount(rpl::producer<int> &&count) {
|
||||
|
||||
void Cover::initViewers() {
|
||||
using Flag = Notify::PeerUpdate::Flag;
|
||||
PeerUpdateValue(_peer, Flag::PhotoChanged)
|
||||
Notify::PeerUpdateValue(_peer, Flag::PhotoChanged)
|
||||
| rpl::start_with_next(
|
||||
[this] { this->refreshUserpicLink(); },
|
||||
lifetime());
|
||||
PeerUpdateValue(_peer, Flag::NameChanged)
|
||||
Notify::PeerUpdateValue(_peer, Flag::NameChanged)
|
||||
| rpl::start_with_next(
|
||||
[this] { this->refreshNameText(); },
|
||||
lifetime());
|
||||
PeerUpdateValue(_peer,
|
||||
Notify::PeerUpdateValue(_peer,
|
||||
Flag::UserOnlineChanged | Flag::MembersChanged)
|
||||
| rpl::start_with_next(
|
||||
[this] { this->refreshStatusText(); },
|
||||
|
@ -416,7 +416,9 @@ object_ptr<Ui::RpWidget> InnerWidget::setupUserActions(
|
||||
result,
|
||||
st::infoBlockButtonSkip));
|
||||
|
||||
auto text = PeerUpdateValue(user, Notify::PeerUpdate::Flag::UserIsBlocked)
|
||||
auto text = Notify::PeerUpdateValue(
|
||||
user,
|
||||
Notify::PeerUpdate::Flag::UserIsBlocked)
|
||||
| rpl::map([user]() -> rpl::producer<QString> {
|
||||
switch (user->blockStatus()) {
|
||||
case UserData::BlockStatus::Blocked:
|
||||
@ -507,11 +509,16 @@ void InnerWidget::visibleTopBottomUpdated(
|
||||
|
||||
void InnerWidget::saveState(not_null<Memento*> memento) {
|
||||
memento->setInfoExpanded(_cover->toggled());
|
||||
memento->setMediaExpanded(true);
|
||||
if (_members) {
|
||||
_members->saveState(memento);
|
||||
}
|
||||
}
|
||||
|
||||
void InnerWidget::restoreState(not_null<Memento*> memento) {
|
||||
_cover->toggle(memento->infoExpanded());
|
||||
if (_members) {
|
||||
_members->restoreState(memento);
|
||||
}
|
||||
if (_infoWrap) {
|
||||
_infoWrap->finishAnimating();
|
||||
}
|
||||
|
@ -21,6 +21,7 @@ Copyright (c) 2014-2017 John Preston, https://desktop.telegram.org
|
||||
#include "info/profile/info_profile_members.h"
|
||||
|
||||
#include <rpl/combine.h>
|
||||
#include "info/profile/info_profile_widget.h"
|
||||
#include "info/profile/info_profile_values.h"
|
||||
#include "info/profile/info_profile_icon.h"
|
||||
#include "info/profile/info_profile_values.h"
|
||||
@ -92,6 +93,27 @@ rpl::producer<int> Members::onlineCountValue() const {
|
||||
return _listController->onlineCountValue();
|
||||
}
|
||||
|
||||
void Members::saveState(not_null<Memento*> memento) {
|
||||
if (_searchShown) {
|
||||
memento->setMembersSearch(_searchField->getLastText());
|
||||
}
|
||||
memento->setMembersState(_listController->saveState());
|
||||
}
|
||||
|
||||
void Members::restoreState(not_null<Memento*> memento) {
|
||||
_listController->restoreState(memento->membersState());
|
||||
if (auto text = memento->membersSearch()) {
|
||||
if (!_searchShown) {
|
||||
toggleSearch(anim::type::instant);
|
||||
}
|
||||
_searchField->setText(*text);
|
||||
_searchField->updatePlaceholder();
|
||||
applySearch();
|
||||
} else if (_searchShown) {
|
||||
toggleSearch(anim::type::instant);
|
||||
}
|
||||
}
|
||||
|
||||
object_ptr<Ui::FlatLabel> Members::setupHeader() {
|
||||
auto result = object_ptr<Ui::FlatLabel>(
|
||||
_labelWrap,
|
||||
@ -265,14 +287,20 @@ void Members::showSearch() {
|
||||
}
|
||||
}
|
||||
|
||||
void Members::toggleSearch() {
|
||||
void Members::toggleSearch(anim::type animated) {
|
||||
_searchShown = !_searchShown;
|
||||
_cancelSearch->toggleAnimated(_searchShown);
|
||||
_searchShownAnimation.start(
|
||||
[this] { searchAnimationCallback(); },
|
||||
_searchShown ? 0. : 1.,
|
||||
_searchShown ? 1. : 0.,
|
||||
st::slideWrapDuration);
|
||||
if (animated == anim::type::normal) {
|
||||
_cancelSearch->toggleAnimated(_searchShown);
|
||||
_searchShownAnimation.start(
|
||||
[this] { searchAnimationCallback(); },
|
||||
_searchShown ? 0. : 1.,
|
||||
_searchShown ? 1. : 0.,
|
||||
st::slideWrapDuration);
|
||||
} else {
|
||||
_cancelSearch->toggleFast(_searchShown);
|
||||
_searchShownAnimation.finish();
|
||||
searchAnimationCallback();
|
||||
}
|
||||
_search->setDisabled(_searchShown);
|
||||
if (_searchShown) {
|
||||
_searchField->show();
|
||||
|
@ -42,6 +42,8 @@ enum class Wrap;
|
||||
|
||||
namespace Profile {
|
||||
|
||||
class Memento;
|
||||
|
||||
class Members
|
||||
: public Ui::RpWidget
|
||||
, private PeerListContentDelegate {
|
||||
@ -56,6 +58,9 @@ public:
|
||||
return _scrollToRequests.events();
|
||||
}
|
||||
|
||||
void saveState(not_null<Memento*> memento);
|
||||
void restoreState(not_null<Memento*> memento);
|
||||
|
||||
int desiredHeight() const;
|
||||
rpl::producer<int> onlineCountValue() const;
|
||||
|
||||
@ -92,7 +97,7 @@ private:
|
||||
|
||||
void addMember();
|
||||
void showSearch();
|
||||
void toggleSearch();
|
||||
void toggleSearch(anim::type animated = anim::type::normal);
|
||||
void cancelSearch();
|
||||
void applySearch();
|
||||
void forceSearchSubmit();
|
||||
|
@ -56,6 +56,12 @@ public:
|
||||
return _onlineCount.value();
|
||||
}
|
||||
|
||||
std::unique_ptr<PeerListRow> createRestoredRow(
|
||||
not_null<PeerData*> peer) override;
|
||||
|
||||
std::unique_ptr<PeerListState> saveState() override;
|
||||
void restoreState(std::unique_ptr<PeerListState> state) override;
|
||||
|
||||
private:
|
||||
void rebuildRows();
|
||||
void refreshOnlineCount();
|
||||
@ -125,6 +131,24 @@ void ChatMembersController::sortByOnline() {
|
||||
refreshOnlineCount();
|
||||
}
|
||||
|
||||
std::unique_ptr<PeerListState> ChatMembersController::saveState() {
|
||||
auto result = PeerListController::saveState();
|
||||
auto lifetime = rpl::lifetime();
|
||||
using Flag = Notify::PeerUpdate::Flag;
|
||||
Notify::PeerUpdateViewer(_chat, Flag::MembersChanged)
|
||||
| rpl::start_with_next([state = result.get()](auto update) {
|
||||
state->controllerState = base::unique_any{};
|
||||
}, lifetime);
|
||||
result->controllerState = std::move(lifetime);
|
||||
return result;
|
||||
}
|
||||
|
||||
void ChatMembersController::restoreState(
|
||||
std::unique_ptr<PeerListState> state) {
|
||||
PeerListController::restoreState(std::move(state));
|
||||
sortByOnline();
|
||||
}
|
||||
|
||||
void ChatMembersController::rebuildRows() {
|
||||
if (_chat->participants.empty()) {
|
||||
while (delegate()->peerListFullRowsCount() > 0) {
|
||||
@ -173,7 +197,16 @@ void ChatMembersController::refreshOnlineCount() {
|
||||
_onlineCount = left;
|
||||
}
|
||||
|
||||
std::unique_ptr<PeerListRow> ChatMembersController::createRow(not_null<UserData*> user) {
|
||||
std::unique_ptr<PeerListRow> ChatMembersController::createRestoredRow(
|
||||
not_null<PeerData*> peer) {
|
||||
if (auto user = peer->asUser()) {
|
||||
return createRow(user);
|
||||
}
|
||||
return nullptr;
|
||||
}
|
||||
|
||||
std::unique_ptr<PeerListRow> ChatMembersController::createRow(
|
||||
not_null<UserData*> user) {
|
||||
return std::make_unique<PeerListRow>(user);
|
||||
}
|
||||
|
||||
|
@ -33,40 +33,9 @@ Copyright (c) 2014-2017 John Preston, https://desktop.telegram.org
|
||||
namespace Info {
|
||||
namespace Profile {
|
||||
|
||||
rpl::producer<Notify::PeerUpdate> PeerUpdateViewer(
|
||||
Notify::PeerUpdate::Flags flags) {
|
||||
return [=](const auto &consumer) {
|
||||
auto lifetime = rpl::lifetime();
|
||||
lifetime.make_state<base::Subscription>(
|
||||
Notify::PeerUpdated().add_subscription({ flags, [=](
|
||||
const Notify::PeerUpdate &update) {
|
||||
consumer.put_next_copy(update);
|
||||
}}));
|
||||
return lifetime;
|
||||
};
|
||||
}
|
||||
|
||||
rpl::producer<Notify::PeerUpdate> PeerUpdateViewer(
|
||||
not_null<PeerData*> peer,
|
||||
Notify::PeerUpdate::Flags flags) {
|
||||
return PeerUpdateViewer(flags)
|
||||
| rpl::filter([=](const Notify::PeerUpdate &update) {
|
||||
return (update.peer == peer);
|
||||
});
|
||||
}
|
||||
|
||||
rpl::producer<Notify::PeerUpdate> PeerUpdateValue(
|
||||
not_null<PeerData*> peer,
|
||||
Notify::PeerUpdate::Flags flags) {
|
||||
auto initial = Notify::PeerUpdate(peer);
|
||||
initial.flags = flags;
|
||||
return rpl::single(initial)
|
||||
| then(PeerUpdateViewer(peer, flags));
|
||||
}
|
||||
|
||||
rpl::producer<TextWithEntities> PhoneValue(
|
||||
not_null<UserData*> user) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
user,
|
||||
Notify::PeerUpdate::Flag::UserPhoneChanged)
|
||||
| rpl::map([user] {
|
||||
@ -77,7 +46,7 @@ rpl::producer<TextWithEntities> PhoneValue(
|
||||
|
||||
rpl::producer<TextWithEntities> BioValue(
|
||||
not_null<UserData*> user) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
user,
|
||||
Notify::PeerUpdate::Flag::AboutChanged)
|
||||
| rpl::map([user] { return user->about(); })
|
||||
@ -86,7 +55,7 @@ rpl::producer<TextWithEntities> BioValue(
|
||||
|
||||
rpl::producer<QString> PlainUsernameViewer(
|
||||
not_null<PeerData*> peer) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
peer,
|
||||
Notify::PeerUpdate::Flag::UsernameChanged)
|
||||
| rpl::map([peer] {
|
||||
@ -108,7 +77,7 @@ rpl::producer<TextWithEntities> UsernameValue(
|
||||
rpl::producer<TextWithEntities> AboutValue(
|
||||
not_null<PeerData*> peer) {
|
||||
if (auto channel = peer->asChannel()) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
channel,
|
||||
Notify::PeerUpdate::Flag::AboutChanged)
|
||||
| rpl::map([channel] { return channel->about(); })
|
||||
@ -130,7 +99,7 @@ rpl::producer<TextWithEntities> LinkValue(
|
||||
|
||||
rpl::producer<bool> NotificationsEnabledValue(
|
||||
not_null<PeerData*> peer) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
peer,
|
||||
Notify::PeerUpdate::Flag::NotificationsEnabled)
|
||||
| rpl::map([peer] { return !peer->isMuted(); });
|
||||
@ -138,7 +107,7 @@ rpl::producer<bool> NotificationsEnabledValue(
|
||||
|
||||
rpl::producer<bool> IsContactValue(
|
||||
not_null<UserData*> user) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
user,
|
||||
Notify::PeerUpdate::Flag::UserIsContact)
|
||||
| rpl::map([user] { return user->isContact(); });
|
||||
@ -146,7 +115,7 @@ rpl::producer<bool> IsContactValue(
|
||||
|
||||
rpl::producer<bool> CanShareContactValue(
|
||||
not_null<UserData*> user) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
user,
|
||||
Notify::PeerUpdate::Flag::UserCanShareContact)
|
||||
| rpl::map([user] {
|
||||
@ -166,7 +135,7 @@ rpl::producer<bool> CanAddContactValue(
|
||||
rpl::producer<int> MembersCountValue(
|
||||
not_null<PeerData*> peer) {
|
||||
if (auto chat = peer->asChat()) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
peer,
|
||||
Notify::PeerUpdate::Flag::MembersChanged)
|
||||
| rpl::map([chat] {
|
||||
@ -176,12 +145,12 @@ rpl::producer<int> MembersCountValue(
|
||||
});
|
||||
} else if (auto channel = peer->asChannel()) {
|
||||
return rpl::combine(
|
||||
PeerUpdateValue(
|
||||
channel,
|
||||
Notify::PeerUpdate::Flag::MembersChanged),
|
||||
Data::PeerFullFlagValue(
|
||||
channel,
|
||||
MTPDchannelFull::Flag::f_can_view_participants))
|
||||
Notify::PeerUpdateValue(
|
||||
channel,
|
||||
Notify::PeerUpdate::Flag::MembersChanged),
|
||||
Data::PeerFullFlagValue(
|
||||
channel,
|
||||
MTPDchannelFull::Flag::f_can_view_participants))
|
||||
| rpl::map([channel] {
|
||||
auto canViewCount = channel->canViewMembers()
|
||||
|| !channel->isMegagroup();
|
||||
@ -219,7 +188,7 @@ rpl::producer<int> SharedMediaCountValue(
|
||||
|
||||
rpl::producer<int> CommonGroupsCountValue(
|
||||
not_null<UserData*> user) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
user,
|
||||
Notify::PeerUpdate::Flag::UserCommonChatsChanged)
|
||||
| rpl::map([user] {
|
||||
@ -230,14 +199,14 @@ rpl::producer<int> CommonGroupsCountValue(
|
||||
rpl::producer<bool> CanAddMemberValue(
|
||||
not_null<PeerData*> peer) {
|
||||
if (auto chat = peer->asChat()) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
chat,
|
||||
Notify::PeerUpdate::Flag::ChatCanEdit)
|
||||
| rpl::map([chat] {
|
||||
return chat->canEdit();
|
||||
});
|
||||
} else if (auto channel = peer->asChannel()) {
|
||||
return PeerUpdateValue(
|
||||
return Notify::PeerUpdateValue(
|
||||
channel,
|
||||
Notify::PeerUpdate::Flag::ChannelRightsChanged)
|
||||
| rpl::map([channel] {
|
||||
|
@ -45,10 +45,6 @@ inline auto ToUpperValue() {
|
||||
});
|
||||
}
|
||||
|
||||
rpl::producer<Notify::PeerUpdate> PeerUpdateValue(
|
||||
not_null<PeerData*> peer,
|
||||
Notify::PeerUpdate::Flags flags);
|
||||
|
||||
rpl::producer<TextWithEntities> PhoneValue(
|
||||
not_null<UserData*> user);
|
||||
rpl::producer<TextWithEntities> BioValue(
|
||||
|
@ -22,6 +22,7 @@ Copyright (c) 2014-2017 John Preston, https://desktop.telegram.org
|
||||
|
||||
#include <rpl/producer.h>
|
||||
#include "info/info_content_widget.h"
|
||||
#include "boxes/peer_list_box.h"
|
||||
|
||||
namespace Info {
|
||||
namespace Profile {
|
||||
@ -49,16 +50,23 @@ public:
|
||||
bool infoExpanded() const {
|
||||
return _infoExpanded;
|
||||
}
|
||||
void setMediaExpanded(bool expanded) {
|
||||
_mediaExpanded = expanded;
|
||||
void setMembersSearch(QString query) {
|
||||
_membersSearch = query;
|
||||
}
|
||||
bool mediaExpanded() const {
|
||||
return _mediaExpanded;
|
||||
base::optional<QString> membersSearch() const {
|
||||
return _membersSearch;
|
||||
}
|
||||
void setMembersState(std::unique_ptr<PeerListState> state) {
|
||||
_membersState = std::move(state);
|
||||
}
|
||||
std::unique_ptr<PeerListState> membersState() {
|
||||
return std::move(_membersState);
|
||||
}
|
||||
|
||||
private:
|
||||
bool _infoExpanded = false;
|
||||
bool _mediaExpanded = false;
|
||||
base::optional<QString> _membersSearch;
|
||||
std::unique_ptr<PeerListState> _membersState;
|
||||
|
||||
};
|
||||
|
||||
|
@ -46,7 +46,6 @@ base::Observable<PeerUpdate, PeerUpdatedHandler> PeerUpdatedObservable;
|
||||
void mergePeerUpdate(PeerUpdate &mergeTo, const PeerUpdate &mergeFrom) {
|
||||
if (!(mergeTo.flags & PeerUpdate::Flag::NameChanged)) {
|
||||
if (mergeFrom.flags & PeerUpdate::Flag::NameChanged) {
|
||||
mergeTo.oldNames = mergeFrom.oldNames;
|
||||
mergeTo.oldNameFirstChars = mergeFrom.oldNameFirstChars;
|
||||
}
|
||||
}
|
||||
|
@ -20,6 +20,10 @@ Copyright (c) 2014-2017 John Preston, https://desktop.telegram.org
|
||||
*/
|
||||
#pragma once
|
||||
|
||||
#include <rpl/producer.h>
|
||||
#include <rpl/filter.h>
|
||||
#include <rpl/then.h>
|
||||
#include <rpl/range.h>
|
||||
#include "base/observer.h"
|
||||
#include "base/flags.h"
|
||||
|
||||
@ -81,7 +85,6 @@ struct PeerUpdate {
|
||||
Flags flags = 0;
|
||||
|
||||
// NameChanged data
|
||||
PeerData::Names oldNames;
|
||||
PeerData::NameFirstChars oldNameFirstChars;
|
||||
|
||||
// SharedMediaChanged data
|
||||
@ -122,4 +125,36 @@ private:
|
||||
};
|
||||
base::Observable<PeerUpdate, PeerUpdatedHandler> &PeerUpdated();
|
||||
|
||||
inline auto PeerUpdateViewer(
|
||||
PeerUpdate::Flags flags) {
|
||||
return rpl::make_producer<PeerUpdate>([=](
|
||||
const auto &consumer) {
|
||||
auto lifetime = rpl::lifetime();
|
||||
lifetime.make_state<base::Subscription>(
|
||||
PeerUpdated().add_subscription({ flags, [=](
|
||||
const PeerUpdate &update) {
|
||||
consumer.put_next_copy(update);
|
||||
}}));
|
||||
return lifetime;
|
||||
});
|
||||
}
|
||||
|
||||
inline auto PeerUpdateViewer(
|
||||
not_null<PeerData*> peer,
|
||||
PeerUpdate::Flags flags) {
|
||||
return PeerUpdateViewer(flags)
|
||||
| rpl::filter([=](const PeerUpdate &update) {
|
||||
return (update.peer == peer);
|
||||
});
|
||||
}
|
||||
|
||||
inline auto PeerUpdateValue(
|
||||
not_null<PeerData*> peer,
|
||||
PeerUpdate::Flags flags) {
|
||||
auto initial = PeerUpdate(peer);
|
||||
initial.flags = flags;
|
||||
return rpl::single(initial)
|
||||
| rpl::then(PeerUpdateViewer(peer, flags));
|
||||
}
|
||||
|
||||
} // namespace Notify
|
||||
|
@ -230,13 +230,96 @@ void ParticipantsBoxController::peerListSearchAddRow(not_null<PeerData*> peer) {
|
||||
}
|
||||
}
|
||||
|
||||
std::unique_ptr<PeerListRow> ParticipantsBoxController::createSearchRow(not_null<PeerData*> peer) {
|
||||
std::unique_ptr<PeerListRow> ParticipantsBoxController::createSearchRow(
|
||||
not_null<PeerData*> peer) {
|
||||
if (auto user = peer->asUser()) {
|
||||
return createRow(user);
|
||||
}
|
||||
return nullptr;
|
||||
}
|
||||
|
||||
std::unique_ptr<PeerListRow> ParticipantsBoxController::createRestoredRow(
|
||||
not_null<PeerData*> peer) {
|
||||
if (auto user = peer->asUser()) {
|
||||
return createRow(user);
|
||||
}
|
||||
return nullptr;
|
||||
}
|
||||
|
||||
std::unique_ptr<PeerListState> ParticipantsBoxController::saveState() {
|
||||
Expects(_role == Role::Profile);
|
||||
|
||||
auto result = PeerListController::saveState();
|
||||
|
||||
auto my = SavedState();
|
||||
my.additional = std::move(_additional);
|
||||
my.offset = _offset;
|
||||
my.allLoaded = _allLoaded;
|
||||
if (auto requestId = base::take(_loadRequestId)) {
|
||||
request(requestId).cancel();
|
||||
my.wasLoading = true;
|
||||
}
|
||||
if (auto search = searchController()) {
|
||||
my.searchState = search->saveState();
|
||||
}
|
||||
|
||||
auto weak = result.get();
|
||||
Auth().data().megagroupParticipantAdded(_channel)
|
||||
| rpl::start_with_next([weak](not_null<UserData*> user) {
|
||||
if (!weak->list.empty()) {
|
||||
if (weak->list[0] == user) {
|
||||
return;
|
||||
}
|
||||
}
|
||||
auto pos = base::find(weak->list, user);
|
||||
if (pos == weak->list.cend()) {
|
||||
weak->list.push_back(user);
|
||||
}
|
||||
base::stable_partition(weak->list, [user](not_null<PeerData*> peer) {
|
||||
return (peer == user);
|
||||
});
|
||||
}, my.lifetime);
|
||||
Auth().data().megagroupParticipantRemoved(_channel)
|
||||
| rpl::start_with_next([weak](not_null<UserData*> user) {
|
||||
weak->list.erase(std::remove(
|
||||
weak->list.begin(),
|
||||
weak->list.end(),
|
||||
user), weak->list.end());
|
||||
weak->filterResults.erase(std::remove(
|
||||
weak->filterResults.begin(),
|
||||
weak->filterResults.end(),
|
||||
user), weak->filterResults.end());
|
||||
}, my.lifetime);
|
||||
|
||||
result->controllerState = std::move(my);
|
||||
return result;
|
||||
}
|
||||
|
||||
void ParticipantsBoxController::restoreState(
|
||||
std::unique_ptr<PeerListState> state) {
|
||||
auto typeErasedState = &state->controllerState;
|
||||
if (auto my = base::any_cast<SavedState>(typeErasedState)) {
|
||||
if (auto requestId = base::take(_loadRequestId)) {
|
||||
request(requestId).cancel();
|
||||
}
|
||||
|
||||
_additional = std::move(my->additional);
|
||||
_offset = my->offset;
|
||||
_allLoaded = my->allLoaded;
|
||||
if (auto search = searchController()) {
|
||||
search->restoreState(std::move(my->searchState));
|
||||
}
|
||||
if (my->wasLoading) {
|
||||
loadMoreRows();
|
||||
}
|
||||
PeerListController::restoreState(std::move(state));
|
||||
if (!_offset) {
|
||||
setDescriptionText(QString());
|
||||
}
|
||||
sortByOnline();
|
||||
}
|
||||
}
|
||||
|
||||
template <typename Callback>
|
||||
void ParticipantsBoxController::HandleParticipant(const MTPChannelParticipant &participant, Role role, not_null<Additional*> additional, Callback callback) {
|
||||
if ((role == Role::Profile
|
||||
@ -768,6 +851,36 @@ void ParticipantsBoxSearchController::searchQuery(const QString &query) {
|
||||
}
|
||||
}
|
||||
|
||||
base::unique_any ParticipantsBoxSearchController::saveState() {
|
||||
auto result = SavedState();
|
||||
result.query = _query;
|
||||
result.offset = _offset;
|
||||
result.allLoaded = _allLoaded;
|
||||
if (auto requestId = base::take(_requestId)) {
|
||||
request(requestId).cancel();
|
||||
result.wasLoading = true;
|
||||
}
|
||||
return result;
|
||||
}
|
||||
|
||||
void ParticipantsBoxSearchController::restoreState(
|
||||
base::unique_any &&state) {
|
||||
if (auto my = base::any_cast<SavedState>(&state)) {
|
||||
if (auto requestId = base::take(_requestId)) {
|
||||
request(requestId).cancel();
|
||||
}
|
||||
_cache.clear();
|
||||
_queries.clear();
|
||||
|
||||
_allLoaded = my->allLoaded;
|
||||
_offset = my->offset;
|
||||
_query = my->query;
|
||||
if (my->wasLoading) {
|
||||
searchOnServer();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
void ParticipantsBoxSearchController::searchOnServer() {
|
||||
Expects(!_query.isEmpty());
|
||||
loadMoreRows();
|
||||
@ -1540,7 +1653,7 @@ void AddParticipantBoxSearchController::addChatsContacts() {
|
||||
return;
|
||||
}
|
||||
|
||||
auto getSmallestIndex = [&wordList](Dialogs::IndexedList *list) -> const Dialogs::List* {
|
||||
auto getSmallestIndex = [&](Dialogs::IndexedList *list) -> const Dialogs::List* {
|
||||
if (list->isEmpty()) {
|
||||
return nullptr;
|
||||
}
|
||||
@ -1560,10 +1673,10 @@ void AddParticipantBoxSearchController::addChatsContacts() {
|
||||
auto dialogsIndex = getSmallestIndex(App::main()->dialogsList());
|
||||
auto contactsIndex = getSmallestIndex(App::main()->contactsNoDialogsList());
|
||||
|
||||
auto allWordsAreFound = [&wordList](const OrderedSet<QString> &names) {
|
||||
auto hasNamePartStartingWith = [&names](const QString &word) {
|
||||
for_const (auto &namePart, names) {
|
||||
if (namePart.startsWith(word)) {
|
||||
auto allWordsAreFound = [&](const base::flat_set<QString> &nameWords) {
|
||||
auto hasNamePartStartingWith = [&](const QString &word) {
|
||||
for (auto &nameWord : nameWords) {
|
||||
if (nameWord.startsWith(word)) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
@ -1577,14 +1690,14 @@ void AddParticipantBoxSearchController::addChatsContacts() {
|
||||
}
|
||||
return true;
|
||||
};
|
||||
auto filterAndAppend = [this, allWordsAreFound](const Dialogs::List *list) {
|
||||
auto filterAndAppend = [&](const Dialogs::List *list) {
|
||||
if (!list) {
|
||||
return;
|
||||
}
|
||||
|
||||
for_const (auto row, *list) {
|
||||
if (auto user = row->history()->peer->asUser()) {
|
||||
if (allWordsAreFound(user->names)) {
|
||||
if (allWordsAreFound(user->nameWords())) {
|
||||
delegate()->peerListSearchAddRow(user);
|
||||
}
|
||||
}
|
||||
|
@ -78,11 +78,21 @@ public:
|
||||
void loadMoreRows() override;
|
||||
|
||||
void peerListSearchAddRow(not_null<PeerData*> peer) override;
|
||||
std::unique_ptr<PeerListRow> createSearchRow(not_null<PeerData*> peer) override;
|
||||
std::unique_ptr<PeerListRow> createSearchRow(
|
||||
not_null<PeerData*> peer) override;
|
||||
std::unique_ptr<PeerListRow> createRestoredRow(
|
||||
not_null<PeerData*> peer) override;
|
||||
|
||||
std::unique_ptr<PeerListState> saveState() override;
|
||||
void restoreState(std::unique_ptr<PeerListState> state) override;
|
||||
|
||||
// Callback(not_null<UserData*>)
|
||||
template <typename Callback>
|
||||
static void HandleParticipant(const MTPChannelParticipant &participant, Role role, not_null<Additional*> additional, Callback callback);
|
||||
static void HandleParticipant(
|
||||
const MTPChannelParticipant &participant,
|
||||
Role role,
|
||||
not_null<Additional*> additional,
|
||||
Callback callback);
|
||||
|
||||
rpl::producer<int> onlineCountValue() const override {
|
||||
return _onlineCount.value();
|
||||
@ -92,7 +102,19 @@ protected:
|
||||
virtual std::unique_ptr<PeerListRow> createRow(not_null<UserData*> user) const;
|
||||
|
||||
private:
|
||||
static std::unique_ptr<PeerListSearchController> CreateSearchController(not_null<ChannelData*> channel, Role role, not_null<Additional*> additional);
|
||||
struct SavedState {
|
||||
base::unique_any searchState;
|
||||
int offset = 0;
|
||||
bool allLoaded = false;
|
||||
bool wasLoading = false;
|
||||
Additional additional;
|
||||
rpl::lifetime lifetime;
|
||||
};
|
||||
|
||||
static std::unique_ptr<PeerListSearchController> CreateSearchController(
|
||||
not_null<ChannelData*> channel,
|
||||
Role role,
|
||||
not_null<Additional*> additional);
|
||||
|
||||
void setupSortByOnline();
|
||||
void setupListChangeViewers();
|
||||
@ -139,7 +161,16 @@ public:
|
||||
bool isLoading() override;
|
||||
bool loadMoreRows() override;
|
||||
|
||||
base::unique_any saveState() override;
|
||||
void restoreState(base::unique_any &&state) override;
|
||||
|
||||
private:
|
||||
struct SavedState {
|
||||
QString query;
|
||||
int offset = 0;
|
||||
bool allLoaded = false;
|
||||
bool wasLoading = false;
|
||||
};
|
||||
struct CacheEntry {
|
||||
MTPchannels_ChannelParticipants result;
|
||||
int requestedCount = 0;
|
||||
@ -151,7 +182,10 @@ private:
|
||||
|
||||
void searchOnServer();
|
||||
bool searchInCache();
|
||||
void searchDone(mtpRequestId requestId, const MTPchannels_ChannelParticipants &result, int requestedCount);
|
||||
void searchDone(
|
||||
mtpRequestId requestId,
|
||||
const MTPchannels_ChannelParticipants &result,
|
||||
int requestedCount);
|
||||
|
||||
not_null<ChannelData*> _channel;
|
||||
Role _role = Role::Restricted;
|
||||
|
@ -84,6 +84,7 @@ namespace func = base::functors;
|
||||
|
||||
#include "base/flat_set.h"
|
||||
#include "base/flat_map.h"
|
||||
#include "base/unique_any.h"
|
||||
|
||||
#include "core/basic_types.h"
|
||||
#include "logs.h"
|
||||
|
@ -289,17 +289,17 @@ CountrySelectBox::Inner::Inner(QWidget *parent) : TWidget(parent)
|
||||
countriesAll.push_back(ins);
|
||||
}
|
||||
|
||||
QStringList namesList = QString::fromUtf8(ins->name).toLower().split(QRegularExpression("[\\s\\-]"), QString::SkipEmptyParts);
|
||||
CountryNames &names(countriesNames[i]);
|
||||
auto namesList = QString::fromUtf8(ins->name).toLower().split(QRegularExpression("[\\s\\-]"), QString::SkipEmptyParts);
|
||||
auto &names = countriesNames[i];
|
||||
int l = namesList.size();
|
||||
names.resize(0);
|
||||
names.reserve(l);
|
||||
for (int j = 0, l = namesList.size(); j < l; ++j) {
|
||||
QString name = namesList[j].trimmed();
|
||||
auto name = namesList[j].trimmed();
|
||||
if (!name.length()) continue;
|
||||
|
||||
QChar ch = name[0];
|
||||
CountriesIds &v(countriesByLetter[ch]);
|
||||
auto ch = name[0];
|
||||
auto &v = countriesByLetter[ch];
|
||||
if (v.isEmpty() || v.back() != i) {
|
||||
v.push_back(i);
|
||||
}
|
||||
|
@ -26,6 +26,7 @@
|
||||
<(src_loc)/base/timer.cpp
|
||||
<(src_loc)/base/timer.h
|
||||
<(src_loc)/base/type_traits.h
|
||||
<(src_loc)/base/unique_any.h
|
||||
<(src_loc)/base/variant.h
|
||||
<(src_loc)/base/virtual_method.h
|
||||
<(src_loc)/base/weak_unique_ptr.h
|
||||
|
Loading…
Reference in New Issue
Block a user