1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354
// Copyright 2023 The Matrix.org Foundation C.I.C.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for that specific language governing permissions and
// limitations under the License.
use std::{future::ready, sync::Arc};
use async_cell::sync::AsyncCell;
use async_rx::StreamExt as _;
use async_stream::stream;
use eyeball::{SharedObservable, Subscriber};
use eyeball_im::{Vector, VectorDiff};
use eyeball_im_util::vector::VectorObserverExt;
use futures_util::{pin_mut, stream, Stream, StreamExt as _};
use matrix_sdk::{
executor::{spawn, JoinHandle},
Client, SlidingSync, SlidingSyncList,
};
use matrix_sdk_base::RoomInfoNotableUpdate;
use tokio::{
select,
sync::broadcast::{self, error::RecvError},
};
use tracing::{error, trace};
use super::{
filters::BoxedFilterFn,
sorters::{new_sorter_lexicographic, new_sorter_name, new_sorter_recency},
Error, Room, State,
};
/// A `RoomList` represents a list of rooms, from a
/// [`RoomListService`](super::RoomListService).
#[derive(Debug)]
pub struct RoomList {
client: Client,
sliding_sync: Arc<SlidingSync>,
sliding_sync_list: SlidingSyncList,
loading_state: SharedObservable<RoomListLoadingState>,
loading_state_task: JoinHandle<()>,
}
impl Drop for RoomList {
fn drop(&mut self) {
self.loading_state_task.abort();
}
}
impl RoomList {
pub(super) async fn new(
client: &Client,
sliding_sync: &Arc<SlidingSync>,
sliding_sync_list_name: &str,
room_list_service_state: Subscriber<State>,
) -> Result<Self, Error> {
let sliding_sync_list = sliding_sync
.on_list(sliding_sync_list_name, |list| ready(list.clone()))
.await
.ok_or_else(|| Error::UnknownList(sliding_sync_list_name.to_owned()))?;
let loading_state =
SharedObservable::new(match sliding_sync_list.maximum_number_of_rooms() {
Some(maximum_number_of_rooms) => RoomListLoadingState::Loaded {
maximum_number_of_rooms: Some(maximum_number_of_rooms),
},
None => RoomListLoadingState::NotLoaded,
});
Ok(Self {
client: client.clone(),
sliding_sync: sliding_sync.clone(),
sliding_sync_list: sliding_sync_list.clone(),
loading_state: loading_state.clone(),
loading_state_task: spawn(async move {
pin_mut!(room_list_service_state);
// As soon as `RoomListService` changes its state, if it isn't
// `Terminated` nor `Error`, we know we have fetched something,
// so the room list is loaded.
while let Some(state) = room_list_service_state.next().await {
use State::*;
match state {
Terminated { .. } | Error { .. } | Init => (),
SettingUp | Recovering | Running => break,
}
}
// Let's jump from `NotLoaded` to `Loaded`.
let maximum_number_of_rooms = sliding_sync_list.maximum_number_of_rooms();
loading_state.set(RoomListLoadingState::Loaded { maximum_number_of_rooms });
// Wait for updates on the maximum number of rooms to update again.
let mut maximum_number_of_rooms_stream =
sliding_sync_list.maximum_number_of_rooms_stream();
while let Some(maximum_number_of_rooms) =
maximum_number_of_rooms_stream.next().await
{
loading_state.set(RoomListLoadingState::Loaded { maximum_number_of_rooms });
}
}),
})
}
/// Get a subscriber to the room list loading state.
///
/// This method will send out the current loading state as the first update.
pub fn loading_state(&self) -> Subscriber<RoomListLoadingState> {
self.loading_state.subscribe_reset()
}
/// Get a stream of rooms.
fn entries(&self) -> (Vector<Room>, impl Stream<Item = Vec<VectorDiff<Room>>> + '_) {
let (rooms, stream) = self.client.rooms_stream();
let map_room = |room| Room::new(room, &self.sliding_sync);
(
rooms.into_iter().map(map_room).collect(),
stream.map(move |diffs| diffs.into_iter().map(|diff| diff.map(map_room)).collect()),
)
}
/// Get a configurable stream of rooms.
///
/// It's possible to provide a filter that will filter out room list
/// entries, and that it's also possible to “paginate” over the entries by
/// `page_size`. The rooms are also sorted.
///
/// The returned stream will only start yielding diffs once a filter is set
/// through the returned [`RoomListDynamicEntriesController`]. For every
/// call to [`RoomListDynamicEntriesController::set_filter`], the stream
/// will yield a [`VectorDiff::Reset`] followed by any updates of the
/// room list under that filter (until the next reset).
pub fn entries_with_dynamic_adapters(
&self,
page_size: usize,
) -> (impl Stream<Item = Vec<VectorDiff<Room>>> + '_, RoomListDynamicEntriesController) {
let room_info_notable_update_receiver = self.client.room_info_notable_update_receiver();
let list = self.sliding_sync_list.clone();
let filter_fn_cell = AsyncCell::shared();
let limit = SharedObservable::<usize>::new(page_size);
let limit_stream = limit.subscribe();
let dynamic_entries_controller = RoomListDynamicEntriesController::new(
filter_fn_cell.clone(),
page_size,
limit,
list.maximum_number_of_rooms_stream(),
);
let stream = stream! {
loop {
let filter_fn = filter_fn_cell.take().await;
let (raw_values, raw_stream) = self.entries();
// Combine normal stream events with other updates from rooms
let merged_streams = merge_stream_and_receiver(raw_values.clone(), raw_stream, room_info_notable_update_receiver.resubscribe());
let (values, stream) = (raw_values, merged_streams)
.filter(filter_fn)
.sort_by(new_sorter_lexicographic(vec![
Box::new(new_sorter_recency()),
Box::new(new_sorter_name())
]))
.dynamic_limit_with_initial_value(page_size, limit_stream.clone());
// Clearing the stream before chaining with the real stream.
yield stream::once(ready(vec![VectorDiff::Reset { values }]))
.chain(stream);
}
}
.switch();
(stream, dynamic_entries_controller)
}
}
/// This function remembers the current state of the unfiltered room list, so it
/// knows where all rooms are. When the receiver is triggered, a Set operation
/// for the room position is inserted to the stream.
fn merge_stream_and_receiver(
mut raw_current_values: Vector<Room>,
raw_stream: impl Stream<Item = Vec<VectorDiff<Room>>>,
mut room_info_notable_update_receiver: broadcast::Receiver<RoomInfoNotableUpdate>,
) -> impl Stream<Item = Vec<VectorDiff<Room>>> {
stream! {
pin_mut!(raw_stream);
loop {
select! {
// We want to give priority on updates from `raw_stream` as it will necessarily trigger a “refresh” of the rooms.
biased;
diffs = raw_stream.next() => {
if let Some(diffs) = diffs {
for diff in &diffs {
diff.clone().map(|room| {
trace!(room = %room.room_id(), "updated in response");
room
}).apply(&mut raw_current_values);
}
yield diffs;
} else {
// Restart immediately, don't keep on waiting for the receiver
break;
}
}
update = room_info_notable_update_receiver.recv() => {
match update {
Ok(update) => {
// Emit a `VectorDiff::Set` for the specific rooms.
if let Some(index) = raw_current_values.iter().position(|room| room.room_id() == update.room_id) {
let room = &raw_current_values[index];
let update = VectorDiff::Set { index, value: room.clone() };
yield vec![update];
}
}
Err(RecvError::Closed) => {
error!("Cannot receive room info notable updates because the sender has been closed");
break;
}
Err(RecvError::Lagged(n)) => {
error!(number_of_missed_updates = n, "Lag when receiving room info notable update");
}
}
}
}
}
}
}
/// The loading state of a [`RoomList`].
///
/// When a [`RoomList`] is displayed to the user, it can be in various states.
/// This enum tries to represent those states with a correct level of
/// abstraction.
#[derive(Clone, Debug)]
pub enum RoomListLoadingState {
/// The [`RoomList`] has not been loaded yet, i.e. a sync might run
/// or not run at all, there is nothing to show in this `RoomList` yet.
/// It's a good opportunity to show a placeholder to the user.
///
/// From [`Self::NotLoaded`], it's only possible to move to
/// [`Self::Loaded`].
NotLoaded,
/// The [`RoomList`] has been loaded, i.e. a sync has been run, or more
/// syncs are running, there is probably something to show to the user.
/// Either the user has 0 room, in this case, it's a good opportunity to
/// show a special screen for that, or the user has multiple rooms, and it's
/// the classical room list.
///
/// The number of rooms is represented by `maximum_number_of_rooms`.
///
/// From [`Self::Loaded`], it's not possible to move back to
/// [`Self::NotLoaded`].
Loaded {
/// The maximum number of rooms a [`RoomList`] contains.
///
/// It does not mean that there are exactly this many rooms to display.
/// Usually, the room entries are represented by [`Room`]. The room
/// entry might have been synced or not synced yet, but we know for sure
/// (from the server), that there will be this amount of rooms in the
/// list at the end.
///
/// Note that it's an `Option`, because it may be possible that the
/// server did miss to send us this value. It's up to you, dear reader,
/// to know which default to adopt in case of `None`.
maximum_number_of_rooms: Option<u32>,
},
}
/// Controller for the [`RoomList`] dynamic entries.
///
/// To get one value of this type, use
/// [`RoomList::entries_with_dynamic_adapters`]
pub struct RoomListDynamicEntriesController {
filter: Arc<AsyncCell<BoxedFilterFn>>,
page_size: usize,
limit: SharedObservable<usize>,
maximum_number_of_rooms: Subscriber<Option<u32>>,
}
impl RoomListDynamicEntriesController {
fn new(
filter: Arc<AsyncCell<BoxedFilterFn>>,
page_size: usize,
limit_stream: SharedObservable<usize>,
maximum_number_of_rooms: Subscriber<Option<u32>>,
) -> Self {
Self { filter, page_size, limit: limit_stream, maximum_number_of_rooms }
}
/// Set the filter.
///
/// If the associated stream has been dropped, returns `false` to indicate
/// the operation didn't have an effect.
pub fn set_filter(&self, filter: BoxedFilterFn) -> bool {
if Arc::strong_count(&self.filter) == 1 {
// there is no other reference to the boxed filter fn, setting it
// would be pointless (no new references can be created from self,
// either)
false
} else {
self.filter.set(filter);
true
}
}
/// Add one page, i.e. view `page_size` more entries in the room list if
/// any.
pub fn add_one_page(&self) {
let Some(max) = self.maximum_number_of_rooms.get() else {
return;
};
let max: usize = max.try_into().unwrap();
let limit = self.limit.get();
if limit < max {
// With this logic, it is possible that `limit` becomes greater than `max` if
// `max - limit < page_size`, and that's perfectly fine. It's OK to have a
// `limit` greater than `max`, but it's not OK to increase the limit
// indefinitely.
self.limit.set_if_not_eq(limit + self.page_size);
}
}
/// Reset the one page, i.e. forget all pages and move back to the first
/// page.
pub fn reset_to_one_page(&self) {
self.limit.set_if_not_eq(self.page_size);
}
}