-
Notifications
You must be signed in to change notification settings - Fork 269
/
Copy pathmod.rs
3102 lines (2817 loc) · 112 KB
/
mod.rs
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
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
//! High-level room API
use std::{
borrow::Borrow,
collections::{BTreeMap, HashMap},
ops::Deref,
sync::Arc,
time::Duration,
};
use eyeball::SharedObservable;
use futures_core::Stream;
use futures_util::{
future::{try_join, try_join_all},
stream::FuturesUnordered,
};
use matrix_sdk_base::{
deserialized_responses::{
RawAnySyncOrStrippedState, RawSyncOrStrippedState, SyncOrStrippedState, TimelineEvent,
},
instant::Instant,
store::StateStoreExt,
RoomMemberships, StateChanges,
};
use matrix_sdk_common::timeout::timeout;
use mime::Mime;
#[cfg(feature = "e2e-encryption")]
use ruma::events::{
room::encrypted::OriginalSyncRoomEncryptedEvent, AnySyncMessageLikeEvent, AnySyncTimelineEvent,
SyncMessageLikeEvent,
};
use ruma::{
api::client::{
config::{set_global_account_data, set_room_account_data},
context,
error::ErrorKind,
filter::LazyLoadOptions,
membership::{
ban_user, forget_room, get_member_events,
invite_user::{self, v3::InvitationRecipient},
join_room_by_id, kick_user, leave_room, unban_user, Invite3pid,
},
message::send_message_event,
read_marker::set_read_marker,
receipt::create_receipt,
redact::redact_event,
room::{get_room_event, report_content},
state::{get_state_events_for_key, send_state_event},
tag::{create_tag, delete_tag},
typing::create_typing_event::{self, v3::Typing},
},
assign,
events::{
call::notify::{ApplicationType, CallNotifyEventContent, NotifyType},
direct::DirectEventContent,
marked_unread::MarkedUnreadEventContent,
receipt::{Receipt, ReceiptThread, ReceiptType},
room::{
avatar::{self, RoomAvatarEventContent},
encryption::RoomEncryptionEventContent,
history_visibility::HistoryVisibility,
message::RoomMessageEventContent,
name::RoomNameEventContent,
power_levels::{RoomPowerLevels, RoomPowerLevelsEventContent},
server_acl::RoomServerAclEventContent,
topic::RoomTopicEventContent,
MediaSource,
},
space::{child::SpaceChildEventContent, parent::SpaceParentEventContent},
tag::{TagInfo, TagName},
typing::SyncTypingEvent,
AnyRoomAccountDataEvent, AnyTimelineEvent, EmptyStateKey, Mentions,
MessageLikeEventContent, MessageLikeEventType, RedactContent, RedactedStateEventContent,
RoomAccountDataEvent, RoomAccountDataEventContent, RoomAccountDataEventType,
StateEventContent, StateEventType, StaticEventContent, StaticStateEventContent,
SyncStateEvent,
},
push::{Action, PushConditionRoomCtx},
serde::Raw,
EventId, Int, MatrixToUri, MatrixUri, MxcUri, OwnedEventId, OwnedRoomId, OwnedServerName,
OwnedTransactionId, OwnedUserId, RoomId, TransactionId, UInt, UserId,
};
use serde::de::DeserializeOwned;
use thiserror::Error;
use tokio::sync::broadcast;
use tracing::{debug, info, instrument, warn};
use self::futures::{SendAttachment, SendMessageLikeEvent, SendRawMessageLikeEvent};
pub use self::{
member::{RoomMember, RoomMemberRole},
messages::{EventWithContextResponse, Messages, MessagesOptions},
};
#[cfg(doc)]
use crate::event_cache::EventCache;
use crate::{
attachment::AttachmentConfig,
client::WeakClient,
config::RequestConfig,
error::WrongRoomState,
event_cache::{self, EventCacheDropHandles, RoomEventCache},
event_handler::{EventHandler, EventHandlerDropGuard, EventHandlerHandle, SyncEvent},
media::{MediaFormat, MediaRequest},
notification_settings::{IsEncrypted, IsOneToOne, RoomNotificationMode},
room::power_levels::{RoomPowerLevelChanges, RoomPowerLevelsExt},
sync::RoomUpdate,
utils::{IntoRawMessageLikeEventContent, IntoRawStateEventContent},
BaseRoom, Client, Error, HttpError, HttpResult, Result, RoomState, TransmissionProgress,
};
pub mod futures;
mod member;
mod messages;
pub mod power_levels;
/// A struct containing methods that are common for Joined, Invited and Left
/// Rooms
#[derive(Debug, Clone)]
pub struct Room {
inner: BaseRoom,
pub(crate) client: Client,
}
impl Deref for Room {
type Target = BaseRoom;
fn deref(&self) -> &Self::Target {
&self.inner
}
}
const TYPING_NOTICE_TIMEOUT: Duration = Duration::from_secs(4);
const TYPING_NOTICE_RESEND_TIMEOUT: Duration = Duration::from_secs(3);
impl Room {
/// Create a new `Room`
///
/// # Arguments
/// * `client` - The client used to make requests.
///
/// * `room` - The underlying room.
pub(crate) fn new(client: Client, room: BaseRoom) -> Self {
Self { inner: room, client }
}
/// Leave this room.
///
/// Only invited and joined rooms can be left.
#[doc(alias = "reject_invitation")]
pub async fn leave(&self) -> Result<()> {
let state = self.state();
if state == RoomState::Left {
return Err(Error::WrongRoomState(WrongRoomState::new("Joined or Invited", state)));
}
let request = leave_room::v3::Request::new(self.inner.room_id().to_owned());
self.client.send(request, None).await?;
self.client.base_client().room_left(self.room_id()).await?;
Ok(())
}
/// Join this room.
///
/// Only invited and left rooms can be joined via this method.
#[doc(alias = "accept_invitation")]
pub async fn join(&self) -> Result<()> {
let state = self.state();
if state == RoomState::Joined {
return Err(Error::WrongRoomState(WrongRoomState::new("Invited or Left", state)));
}
let prev_room_state = self.inner.state();
let mark_as_direct = prev_room_state == RoomState::Invited
&& self.inner.is_direct().await.unwrap_or_else(|e| {
warn!(room_id = ?self.room_id(), "is_direct() failed: {e}");
false
});
let request = join_room_by_id::v3::Request::new(self.inner.room_id().to_owned());
let response = self.client.send(request, None).await?;
self.client.base_client().room_joined(&response.room_id).await?;
if mark_as_direct {
self.set_is_direct(true).await?;
}
Ok(())
}
/// Get the inner client saved in this room instance.
///
/// Returns the client this room is part of.
pub fn client(&self) -> Client {
self.client.clone()
}
/// Get the sync state of this room, i.e. whether it was fully synced with
/// the server.
pub fn is_synced(&self) -> bool {
self.inner.is_state_fully_synced()
}
/// Gets the avatar of this room, if set.
///
/// Returns the avatar.
/// If a thumbnail is requested no guarantee on the size of the image is
/// given.
///
/// # Arguments
///
/// * `format` - The desired format of the avatar.
///
/// # Examples
///
/// ```no_run
/// # use matrix_sdk::Client;
/// # use matrix_sdk::ruma::room_id;
/// # use matrix_sdk::media::MediaFormat;
/// # use url::Url;
/// # let homeserver = Url::parse("http://example.com").unwrap();
/// # async {
/// # let user = "example";
/// let client = Client::new(homeserver).await.unwrap();
/// client.matrix_auth().login_username(user, "password").send().await.unwrap();
/// let room_id = room_id!("!roomid:example.com");
/// let room = client.get_room(&room_id).unwrap();
/// if let Some(avatar) = room.avatar(MediaFormat::File).await.unwrap() {
/// std::fs::write("avatar.png", avatar);
/// }
/// # };
/// ```
pub async fn avatar(&self, format: MediaFormat) -> Result<Option<Vec<u8>>> {
let Some(url) = self.avatar_url() else { return Ok(None) };
let request = MediaRequest { source: MediaSource::Plain(url.to_owned()), format };
Ok(Some(self.client.media().get_media_content(&request, true).await?))
}
/// Sends a request to `/_matrix/client/r0/rooms/{room_id}/messages` and
/// returns a `Messages` struct that contains a chunk of room and state
/// events (`RoomEvent` and `AnyStateEvent`).
///
/// With the encryption feature, messages are decrypted if possible. If
/// decryption fails for an individual message, that message is returned
/// undecrypted.
///
/// # Examples
///
/// ```no_run
/// use matrix_sdk::{room::MessagesOptions, Client};
/// # use matrix_sdk::ruma::{
/// # api::client::filter::RoomEventFilter,
/// # room_id,
/// # };
/// # use url::Url;
///
/// # let homeserver = Url::parse("http://example.com").unwrap();
/// # async {
/// let options =
/// MessagesOptions::backward().from("t47429-4392820_219380_26003_2265");
///
/// let mut client = Client::new(homeserver).await.unwrap();
/// let room = client.get_room(room_id!("!roomid:example.com")).unwrap();
/// assert!(room.messages(options).await.is_ok());
/// # };
/// ```
#[instrument(skip_all, fields(room_id = ?self.inner.room_id(), ?options))]
pub async fn messages(&self, options: MessagesOptions) -> Result<Messages> {
let room_id = self.inner.room_id();
let request = options.into_request(room_id);
let http_response = self.client.send(request, None).await?;
#[allow(unused_mut)]
let mut response = Messages {
start: http_response.start,
end: http_response.end,
#[cfg(not(feature = "e2e-encryption"))]
chunk: http_response.chunk.into_iter().map(TimelineEvent::new).collect(),
#[cfg(feature = "e2e-encryption")]
chunk: Vec::with_capacity(http_response.chunk.len()),
state: http_response.state,
};
#[cfg(feature = "e2e-encryption")]
for event in http_response.chunk {
let decrypted_event = if let Ok(AnySyncTimelineEvent::MessageLike(
AnySyncMessageLikeEvent::RoomEncrypted(SyncMessageLikeEvent::Original(_)),
)) = event.deserialize_as::<AnySyncTimelineEvent>()
{
if let Ok(event) = self.decrypt_event(event.cast_ref()).await {
event
} else {
TimelineEvent::new(event)
}
} else {
TimelineEvent::new(event)
};
response.chunk.push(decrypted_event);
}
if let Some(push_context) = self.push_context().await? {
let push_rules = self.client().account().push_rules().await?;
for event in &mut response.chunk {
event.push_actions =
Some(push_rules.get_actions(&event.event, &push_context).to_owned());
}
}
Ok(response)
}
/// Register a handler for events of a specific type, within this room.
///
/// This method works the same way as [`Client::add_event_handler`], except
/// that the handler will only be called for events within this room. See
/// that method for more details on event handler functions.
///
/// `room.add_event_handler(hdl)` is equivalent to
/// `client.add_room_event_handler(room_id, hdl)`. Use whichever one is more
/// convenient in your use case.
pub fn add_event_handler<Ev, Ctx, H>(&self, handler: H) -> EventHandlerHandle
where
Ev: SyncEvent + DeserializeOwned + Send + 'static,
H: EventHandler<Ev, Ctx>,
{
self.client.add_room_event_handler(self.room_id(), handler)
}
/// Subscribe to all updates for this room.
///
/// The returned receiver will receive a new message for each sync response
/// that contains updates for this room.
pub fn subscribe_to_updates(&self) -> broadcast::Receiver<RoomUpdate> {
self.client.subscribe_to_room_updates(self.room_id())
}
/// Subscribe to typing notifications for this room.
///
/// The returned receiver will receive a new vector of user IDs for each
/// sync response that contains 'm.typing' event. The current user ID will
/// be filtered out.
pub fn subscribe_to_typing_notifications(
&self,
) -> (EventHandlerDropGuard, broadcast::Receiver<Vec<OwnedUserId>>) {
let (sender, receiver) = broadcast::channel(16);
let typing_event_handler_handle = self.client.add_room_event_handler(self.room_id(), {
let own_user_id = self.own_user_id().to_owned();
move |event: SyncTypingEvent| async move {
// Ignore typing notifications from own user.
let typing_user_ids = event
.content
.user_ids
.into_iter()
.filter(|user_id| *user_id != own_user_id)
.collect();
// Ignore the result. It can only fail if there are no listeners.
let _ = sender.send(typing_user_ids);
}
});
let drop_guard = self.client().event_handler_drop_guard(typing_event_handler_handle);
(drop_guard, receiver)
}
/// Returns a wrapping `TimelineEvent` for the input `AnyTimelineEvent`,
/// decrypted if needs be.
///
/// Doesn't return an error `Result` when decryption failed; only logs from
/// the crypto crate will indicate so.
async fn try_decrypt_event(&self, event: Raw<AnyTimelineEvent>) -> Result<TimelineEvent> {
#[cfg(feature = "e2e-encryption")]
if let Ok(AnySyncTimelineEvent::MessageLike(AnySyncMessageLikeEvent::RoomEncrypted(
SyncMessageLikeEvent::Original(_),
))) = event.deserialize_as::<AnySyncTimelineEvent>()
{
if let Ok(event) = self.decrypt_event(event.cast_ref()).await {
return Ok(event);
}
}
let push_actions = self.event_push_actions(&event).await?;
Ok(TimelineEvent { event, encryption_info: None, push_actions })
}
/// Fetch the event with the given `EventId` in this room.
pub async fn event(&self, event_id: &EventId) -> Result<TimelineEvent> {
let request =
get_room_event::v3::Request::new(self.room_id().to_owned(), event_id.to_owned());
let event = self.client.send(request, None).await?.event;
self.try_decrypt_event(event).await
}
/// Fetch the event with the given `EventId` in this room, using the
/// `/context` endpoint to get more information.
pub async fn event_with_context(
&self,
event_id: &EventId,
lazy_load_members: bool,
context_size: UInt,
) -> Result<EventWithContextResponse> {
let mut request =
context::get_context::v3::Request::new(self.room_id().to_owned(), event_id.to_owned());
request.limit = context_size;
if lazy_load_members {
request.filter.lazy_load_options =
LazyLoadOptions::Enabled { include_redundant_members: false };
}
let response = self.client.send(request, None).await?;
let target_event = if let Some(event) = response.event {
Some(self.try_decrypt_event(event).await?)
} else {
None
};
// Note: the joined future will fail if any future failed, but
// [`Self::try_decrypt_event`] doesn't hard-fail when there's a
// decryption error, so we should prevent against most bad cases here.
let (events_before, events_after) = try_join(
try_join_all(response.events_before.into_iter().map(|ev| self.try_decrypt_event(ev))),
try_join_all(response.events_after.into_iter().map(|ev| self.try_decrypt_event(ev))),
)
.await?;
Ok(EventWithContextResponse {
event: target_event,
events_before,
events_after,
state: response.state,
prev_batch_token: response.start,
next_batch_token: response.end,
})
}
pub(crate) async fn request_members(&self) -> Result<()> {
self.client
.locks()
.members_request_deduplicated_handler
.run(self.room_id().to_owned(), async move {
let request = get_member_events::v3::Request::new(self.inner.room_id().to_owned());
let response = self
.client
.send(
request.clone(),
// In some cases it can take longer than 30s to load:
// https://github.com/element-hq/synapse/issues/16872
Some(RequestConfig::new().timeout(Duration::from_secs(60)).retry_limit(3)),
)
.await?;
// That's a large `Future`. Let's `Box::pin` to reduce its size on the stack.
Box::pin(self.client.base_client().receive_all_members(
self.room_id(),
&request,
&response,
))
.await?;
Ok(())
})
.await
}
async fn request_encryption_state(&self) -> Result<()> {
self.client
.locks()
.encryption_state_deduplicated_handler
.run(self.room_id().to_owned(), async move {
// Request the event from the server.
let request = get_state_events_for_key::v3::Request::new(
self.room_id().to_owned(),
StateEventType::RoomEncryption,
"".to_owned(),
);
let response = match self.client.send(request, None).await {
Ok(response) => {
Some(response.content.deserialize_as::<RoomEncryptionEventContent>()?)
}
Err(err) if err.client_api_error_kind() == Some(&ErrorKind::NotFound) => None,
Err(err) => return Err(err.into()),
};
let _sync_lock = self.client.base_client().sync_lock().lock().await;
// Persist the event and the fact that we requested it from the server in
// `RoomInfo`.
let mut room_info = self.clone_info();
room_info.mark_encryption_state_synced();
room_info.set_encryption_event(response.clone());
let mut changes = StateChanges::default();
changes.add_room(room_info.clone());
self.client.store().save_changes(&changes).await?;
self.set_room_info(room_info, false);
Ok(())
})
.await
}
/// Check whether this room is encrypted. If the room encryption state is
/// not synced yet, it will send a request to fetch it.
///
/// Returns true if the room is encrypted, otherwise false.
pub async fn is_encrypted(&self) -> Result<bool> {
if !self.is_encryption_state_synced() {
self.request_encryption_state().await?;
}
Ok(self.inner.is_encrypted())
}
fn are_events_visible(&self) -> bool {
if let RoomState::Invited = self.inner.state() {
return matches!(
self.inner.history_visibility(),
HistoryVisibility::WorldReadable | HistoryVisibility::Invited
);
}
true
}
/// Sync the member list with the server.
///
/// This method will de-duplicate requests if it is called multiple times in
/// quick succession, in that case the return value will be `None`. This
/// method does nothing if the members are already synced.
pub async fn sync_members(&self) -> Result<()> {
if !self.are_events_visible() {
return Ok(());
}
if !self.are_members_synced() {
self.request_members().await
} else {
Ok(())
}
}
/// Get active members for this room, includes invited, joined members.
///
/// *Note*: This method will fetch the members from the homeserver if the
/// member list isn't synchronized due to member lazy loading. Because of
/// that, it might panic if it isn't run on a tokio thread.
///
/// Use [active_members_no_sync()](#method.active_members_no_sync) if you
/// want a method that doesn't do any requests.
#[deprecated = "Use members with RoomMemberships::ACTIVE instead"]
pub async fn active_members(&self) -> Result<Vec<RoomMember>> {
self.sync_members().await?;
self.members_no_sync(RoomMemberships::ACTIVE).await
}
/// Get active members for this room, includes invited, joined members.
///
/// *Note*: This method will not fetch the members from the homeserver if
/// the member list isn't synchronized due to member lazy loading. Thus,
/// members could be missing from the list.
///
/// Use [active_members()](#method.active_members) if you want to ensure to
/// always get the full member list.
#[deprecated = "Use members_no_sync with RoomMemberships::ACTIVE instead"]
pub async fn active_members_no_sync(&self) -> Result<Vec<RoomMember>> {
self.members_no_sync(RoomMemberships::ACTIVE).await
}
/// Get all the joined members of this room.
///
/// *Note*: This method will fetch the members from the homeserver if the
/// member list isn't synchronized due to member lazy loading. Because of
/// that it might panic if it isn't run on a tokio thread.
///
/// Use [joined_members_no_sync()](#method.joined_members_no_sync) if you
/// want a method that doesn't do any requests.
#[deprecated = "Use members with RoomMemberships::JOIN instead"]
pub async fn joined_members(&self) -> Result<Vec<RoomMember>> {
self.sync_members().await?;
self.members_no_sync(RoomMemberships::JOIN).await
}
/// Get all the joined members of this room.
///
/// *Note*: This method will not fetch the members from the homeserver if
/// the member list isn't synchronized due to member lazy loading. Thus,
/// members could be missing from the list.
///
/// Use [joined_members()](#method.joined_members) if you want to ensure to
/// always get the full member list.
#[deprecated = "Use members_no_sync with RoomMemberships::JOIN instead"]
pub async fn joined_members_no_sync(&self) -> Result<Vec<RoomMember>> {
self.members_no_sync(RoomMemberships::JOIN).await
}
/// Get a specific member of this room.
///
/// *Note*: This method will fetch the members from the homeserver if the
/// member list isn't synchronized due to member lazy loading. Because of
/// that it might panic if it isn't run on a tokio thread.
///
/// Use [get_member_no_sync()](#method.get_member_no_sync) if you want a
/// method that doesn't do any requests.
///
/// # Arguments
///
/// * `user_id` - The ID of the user that should be fetched out of the
/// store.
pub async fn get_member(&self, user_id: &UserId) -> Result<Option<RoomMember>> {
self.sync_members().await?;
self.get_member_no_sync(user_id).await
}
/// Get a specific member of this room.
///
/// *Note*: This method will not fetch the members from the homeserver if
/// the member list isn't synchronized due to member lazy loading. Thus,
/// members could be missing.
///
/// Use [get_member()](#method.get_member) if you want to ensure to always
/// have the full member list to chose from.
///
/// # Arguments
///
/// * `user_id` - The ID of the user that should be fetched out of the
/// store.
pub async fn get_member_no_sync(&self, user_id: &UserId) -> Result<Option<RoomMember>> {
Ok(self
.inner
.get_member(user_id)
.await?
.map(|member| RoomMember::new(self.client.clone(), member)))
}
/// Get members for this room, with the given memberships.
///
/// *Note*: This method will fetch the members from the homeserver if the
/// member list isn't synchronized due to member lazy loading. Because of
/// that it might panic if it isn't run on a tokio thread.
///
/// Use [members_no_sync()](#method.members_no_sync) if you want a
/// method that doesn't do any requests.
pub async fn members(&self, memberships: RoomMemberships) -> Result<Vec<RoomMember>> {
self.sync_members().await?;
self.members_no_sync(memberships).await
}
/// Get members for this room, with the given memberships.
///
/// *Note*: This method will not fetch the members from the homeserver if
/// the member list isn't synchronized due to member lazy loading. Thus,
/// members could be missing.
///
/// Use [members()](#method.members) if you want to ensure to always get
/// the full member list.
pub async fn members_no_sync(&self, memberships: RoomMemberships) -> Result<Vec<RoomMember>> {
Ok(self
.inner
.members(memberships)
.await?
.into_iter()
.map(|member| RoomMember::new(self.client.clone(), member))
.collect())
}
/// Get all state events of a given type in this room.
pub async fn get_state_events(
&self,
event_type: StateEventType,
) -> Result<Vec<RawAnySyncOrStrippedState>> {
self.client.store().get_state_events(self.room_id(), event_type).await.map_err(Into::into)
}
/// Get all state events of a given statically-known type in this room.
///
/// # Examples
///
/// ```no_run
/// # async {
/// # let room: matrix_sdk::Room = todo!();
/// use matrix_sdk::ruma::{
/// events::room::member::RoomMemberEventContent, serde::Raw,
/// };
///
/// let room_members =
/// room.get_state_events_static::<RoomMemberEventContent>().await?;
/// # anyhow::Ok(())
/// # };
/// ```
pub async fn get_state_events_static<C>(&self) -> Result<Vec<RawSyncOrStrippedState<C>>>
where
C: StaticEventContent + StaticStateEventContent + RedactContent,
C::Redacted: RedactedStateEventContent,
{
Ok(self.client.store().get_state_events_static(self.room_id()).await?)
}
/// Get the state events of a given type with the given state keys in this
/// room.
pub async fn get_state_events_for_keys(
&self,
event_type: StateEventType,
state_keys: &[&str],
) -> Result<Vec<RawAnySyncOrStrippedState>> {
self.client
.store()
.get_state_events_for_keys(self.room_id(), event_type, state_keys)
.await
.map_err(Into::into)
}
/// Get the state events of a given statically-known type with the given
/// state keys in this room.
///
/// # Examples
///
/// ```no_run
/// # async {
/// # let room: matrix_sdk::Room = todo!();
/// # let user_ids: &[matrix_sdk::ruma::OwnedUserId] = &[];
/// use matrix_sdk::ruma::events::room::member::RoomMemberEventContent;
///
/// let room_members = room
/// .get_state_events_for_keys_static::<RoomMemberEventContent, _, _>(
/// user_ids,
/// )
/// .await?;
/// # anyhow::Ok(())
/// # };
/// ```
pub async fn get_state_events_for_keys_static<'a, C, K, I>(
&self,
state_keys: I,
) -> Result<Vec<RawSyncOrStrippedState<C>>>
where
C: StaticEventContent + StaticStateEventContent + RedactContent,
C::StateKey: Borrow<K>,
C::Redacted: RedactedStateEventContent,
K: AsRef<str> + Sized + Sync + 'a,
I: IntoIterator<Item = &'a K> + Send,
I::IntoIter: Send,
{
Ok(self.client.store().get_state_events_for_keys_static(self.room_id(), state_keys).await?)
}
/// Get a specific state event in this room.
pub async fn get_state_event(
&self,
event_type: StateEventType,
state_key: &str,
) -> Result<Option<RawAnySyncOrStrippedState>> {
self.client
.store()
.get_state_event(self.room_id(), event_type, state_key)
.await
.map_err(Into::into)
}
/// Get a specific state event of statically-known type with an empty state
/// key in this room.
///
/// # Examples
///
/// ```no_run
/// # async {
/// # let room: matrix_sdk::Room = todo!();
/// use matrix_sdk::ruma::events::room::power_levels::RoomPowerLevelsEventContent;
///
/// let power_levels = room
/// .get_state_event_static::<RoomPowerLevelsEventContent>()
/// .await?
/// .expect("every room has a power_levels event")
/// .deserialize()?;
/// # anyhow::Ok(())
/// # };
/// ```
pub async fn get_state_event_static<C>(&self) -> Result<Option<RawSyncOrStrippedState<C>>>
where
C: StaticEventContent + StaticStateEventContent<StateKey = EmptyStateKey> + RedactContent,
C::Redacted: RedactedStateEventContent,
{
self.get_state_event_static_for_key(&EmptyStateKey).await
}
/// Get a specific state event of statically-known type in this room.
///
/// # Examples
///
/// ```no_run
/// # async {
/// # let room: matrix_sdk::Room = todo!();
/// use matrix_sdk::ruma::{
/// events::room::member::RoomMemberEventContent, serde::Raw, user_id,
/// };
///
/// let member_event = room
/// .get_state_event_static_for_key::<RoomMemberEventContent, _>(user_id!(
/// "@alice:example.org"
/// ))
/// .await?;
/// # anyhow::Ok(())
/// # };
/// ```
pub async fn get_state_event_static_for_key<C, K>(
&self,
state_key: &K,
) -> Result<Option<RawSyncOrStrippedState<C>>>
where
C: StaticEventContent + StaticStateEventContent + RedactContent,
C::StateKey: Borrow<K>,
C::Redacted: RedactedStateEventContent,
K: AsRef<str> + ?Sized + Sync,
{
Ok(self.client.store().get_state_event_static_for_key(self.room_id(), state_key).await?)
}
/// Returns the parents this room advertises as its parents.
///
/// Results are in no particular order.
pub async fn parent_spaces(&self) -> Result<impl Stream<Item = Result<ParentSpace>> + '_> {
// Implements this algorithm:
// https://spec.matrix.org/v1.8/client-server-api/#mspaceparent-relationships
// Get all m.room.parent events for this room
Ok(self
.get_state_events_static::<SpaceParentEventContent>()
.await?
.into_iter()
// Extract state key (ie. the parent's id) and sender
.flat_map(|parent_event| match parent_event.deserialize() {
Ok(SyncOrStrippedState::Sync(SyncStateEvent::Original(e))) => {
Some((e.state_key.to_owned(), e.sender))
}
Ok(SyncOrStrippedState::Sync(SyncStateEvent::Redacted(_))) => None,
Ok(SyncOrStrippedState::Stripped(e)) => Some((e.state_key.to_owned(), e.sender)),
Err(e) => {
info!(room_id = ?self.room_id(), "Could not deserialize m.room.parent: {e}");
None
}
})
// Check whether the parent recognizes this room as its child
.map(|(state_key, sender): (OwnedRoomId, OwnedUserId)| async move {
let Some(parent_room) = self.client.get_room(&state_key) else {
// We are not in the room, cannot check if the relationship is reciprocal
// TODO: try peeking into the room
return Ok(ParentSpace::Unverifiable(state_key));
};
// Get the m.room.child state of the parent with this room's id
// as state key.
if let Some(child_event) = parent_room
.get_state_event_static_for_key::<SpaceChildEventContent, _>(self.room_id())
.await?
{
match child_event.deserialize() {
Ok(SyncOrStrippedState::Sync(SyncStateEvent::Original(_))) => {
// There is a valid m.room.child in the parent pointing to
// this room
return Ok(ParentSpace::Reciprocal(parent_room));
}
Ok(SyncOrStrippedState::Sync(SyncStateEvent::Redacted(_))) => {}
Ok(SyncOrStrippedState::Stripped(_)) => {}
Err(e) => {
info!(
room_id = ?self.room_id(), parent_room_id = ?state_key,
"Could not deserialize m.room.child: {e}"
);
}
}
// Otherwise the event is either invalid or redacted. If
// redacted it would be missing the
// `via` key, thereby invalidating that end of the
// relationship: https://spec.matrix.org/v1.8/client-server-api/#mspacechild
}
// No reciprocal m.room.child found, let's check if the sender has the
// power to set it
let Some(member) = parent_room.get_member(&sender).await? else {
// Sender is not even in the parent room
return Ok(ParentSpace::Illegitimate(parent_room));
};
if member.can_send_state(StateEventType::SpaceChild) {
// Sender does have the power to set m.room.child
Ok(ParentSpace::WithPowerlevel(parent_room))
} else {
Ok(ParentSpace::Illegitimate(parent_room))
}
})
.collect::<FuturesUnordered<_>>())
}
/// Read account data in this room, from storage.
pub async fn account_data(
&self,
data_type: RoomAccountDataEventType,
) -> Result<Option<Raw<AnyRoomAccountDataEvent>>> {
self.client
.store()
.get_room_account_data_event(self.room_id(), data_type)
.await
.map_err(Into::into)
}
/// Get account data of a statically-known type in this room, from storage.
///
/// # Examples
///
/// ```no_run
/// # async {
/// # let room: matrix_sdk::Room = todo!();
/// use matrix_sdk::ruma::events::fully_read::FullyReadEventContent;
///
/// match room.account_data_static::<FullyReadEventContent>().await? {
/// Some(fully_read) => {
/// println!("Found read marker: {:?}", fully_read.deserialize()?)
/// }
/// None => println!("No read marker for this room"),
/// }
/// # anyhow::Ok(())
/// # };
/// ```
pub async fn account_data_static<C>(&self) -> Result<Option<Raw<RoomAccountDataEvent<C>>>>
where
C: StaticEventContent + RoomAccountDataEventContent,
{
Ok(self.account_data(C::TYPE.into()).await?.map(Raw::cast))
}
/// Check if all members of this room are verified and all their devices are
/// verified.
///
/// Returns true if all devices in the room are verified, otherwise false.
#[cfg(feature = "e2e-encryption")]
pub async fn contains_only_verified_devices(&self) -> Result<bool> {
let user_ids =
self.client.store().get_user_ids(self.room_id(), RoomMemberships::empty()).await?;
for user_id in user_ids {
let devices = self.client.encryption().get_user_devices(&user_id).await?;
let any_unverified = devices.devices().any(|d| !d.is_verified());
if any_unverified {
return Ok(false);
}
}
Ok(true)
}
/// Adds a tag to the room, or updates it if it already exists.
///
/// Returns the [`create_tag::v3::Response`] from the server.
///
/// # Arguments
/// * `tag` - The tag to add or update.
///
/// * `tag_info` - Information about the tag, generally containing the
/// `order` parameter.
///
/// # Examples
///
/// ```no_run
/// # use std::str::FromStr;
/// # use ruma::events::tag::{TagInfo, TagName, UserTagName};
/// # async {
/// # let homeserver = url::Url::parse("http://localhost:8080")?;
/// # let mut client = matrix_sdk::Client::new(homeserver).await?;
/// # let room_id = matrix_sdk::ruma::room_id!("!test:localhost");
/// use matrix_sdk::ruma::events::tag::TagInfo;
///
/// if let Some(room) = client.get_room(&room_id) {
/// let mut tag_info = TagInfo::new();
/// tag_info.order = Some(0.9);
/// let user_tag = UserTagName::from_str("u.work")?;
///
/// room.set_tag(TagName::User(user_tag), tag_info).await?;
/// }
/// # anyhow::Ok(()) };
/// ```
pub async fn set_tag(
&self,
tag: TagName,
tag_info: TagInfo,
) -> HttpResult<create_tag::v3::Response> {
let user_id = self.client.user_id().ok_or(HttpError::AuthenticationRequired)?;
let request = create_tag::v3::Request::new(
user_id.to_owned(),
self.inner.room_id().to_owned(),
tag.to_string(),
tag_info,
);
self.client.send(request, None).await
}
/// Removes a tag from the room.
///
/// Returns the [`delete_tag::v3::Response`] from the server.
///