ruma_events/call/member/member_data.rs
1//! Types for MatrixRTC `m.call.member` state event content data ([MSC3401])
2//!
3//! [MSC3401]: https://github.com/matrix-org/matrix-spec-proposals/pull/3401
4
5use std::time::Duration;
6
7use as_variant::as_variant;
8use ruma_common::{DeviceId, MilliSecondsSinceUnixEpoch, OwnedDeviceId};
9use ruma_macros::StringEnum;
10use serde::{Deserialize, Serialize};
11use tracing::warn;
12
13use super::focus::{ActiveFocus, ActiveLivekitFocus, Focus};
14use crate::PrivOwnedStr;
15
16/// The data object that contains the information for one membership.
17///
18/// It can be a legacy or a normal MatrixRTC Session membership.
19///
20/// The legacy format contains time information to compute if it is expired or not.
21/// SessionMembershipData does not have the concept of timestamp based expiration anymore.
22/// The state event will reliably be set to empty when the user disconnects.
23#[derive(Clone, Debug)]
24#[cfg_attr(test, derive(PartialEq))]
25#[cfg_attr(not(ruma_unstable_exhaustive_types), non_exhaustive)]
26pub enum MembershipData<'a> {
27 /// The legacy format (using an array of memberships for each device -> one event per user)
28 Legacy(&'a LegacyMembershipData),
29 /// One event per device. `SessionMembershipData` contains all the information required to
30 /// represent the current membership state of one device.
31 Session(&'a SessionMembershipData),
32}
33
34impl MembershipData<'_> {
35 /// The application this RTC membership participates in (the session type, can be `m.call`...)
36 pub fn application(&self) -> &Application {
37 match self {
38 MembershipData::Legacy(data) => &data.application,
39 MembershipData::Session(data) => &data.application,
40 }
41 }
42
43 /// The device id of this membership.
44 pub fn device_id(&self) -> &DeviceId {
45 match self {
46 MembershipData::Legacy(data) => &data.device_id,
47 MembershipData::Session(data) => &data.device_id,
48 }
49 }
50
51 /// The active focus is a FocusType specific object that describes how this user
52 /// is currently connected.
53 ///
54 /// It can use the foci_preferred list to choose one of the available (preferred)
55 /// foci or specific information on how to connect to this user.
56 ///
57 /// Every user needs to converge to use the same focus_active type.
58 pub fn focus_active(&self) -> &ActiveFocus {
59 match self {
60 MembershipData::Legacy(_) => &ActiveFocus::Livekit(ActiveLivekitFocus {
61 focus_selection: super::focus::FocusSelection::OldestMembership,
62 }),
63 MembershipData::Session(data) => &data.focus_active,
64 }
65 }
66
67 /// The list of available/preferred options this user provides to connect to the call.
68 pub fn foci_preferred(&self) -> &Vec<Focus> {
69 match self {
70 MembershipData::Legacy(data) => &data.foci_active,
71 MembershipData::Session(data) => &data.foci_preferred,
72 }
73 }
74
75 /// The application of the membership is "m.call" and the scope is "m.room".
76 pub fn is_room_call(&self) -> bool {
77 as_variant!(self.application(), Application::Call)
78 .is_some_and(|call| call.scope == CallScope::Room)
79 }
80
81 /// The application of the membership is "m.call".
82 pub fn is_call(&self) -> bool {
83 as_variant!(self.application(), Application::Call).is_some()
84 }
85
86 /// Checks if the event is expired. This is only relevant for LegacyMembershipData
87 /// returns `false` if its SessionMembershipData
88 pub fn is_expired(&self, origin_server_ts: Option<MilliSecondsSinceUnixEpoch>) -> bool {
89 match self {
90 MembershipData::Legacy(data) => data.is_expired(origin_server_ts),
91 MembershipData::Session(_) => false,
92 }
93 }
94
95 /// Gets the created_ts of the event.
96 ///
97 /// This is the `origin_server_ts` for session data.
98 /// For legacy events this can either be the origin server ts or a copy from the
99 /// `origin_server_ts` since we expect legacy events to get updated (when a new device
100 /// joins/leaves).
101 pub fn created_ts(&self) -> Option<MilliSecondsSinceUnixEpoch> {
102 match self {
103 MembershipData::Legacy(data) => data.created_ts,
104 MembershipData::Session(data) => data.created_ts,
105 }
106 }
107}
108
109/// A membership describes one of the sessions this user currently partakes.
110///
111/// The application defines the type of the session.
112#[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
113#[cfg_attr(not(ruma_unstable_exhaustive_types), non_exhaustive)]
114pub struct LegacyMembershipData {
115 /// The type of the MatrixRTC session the membership belongs to.
116 ///
117 /// e.g. call, spacial, document...
118 #[serde(flatten)]
119 pub application: Application,
120
121 /// The device id of this membership.
122 ///
123 /// The same user can join with their phone/computer.
124 pub device_id: OwnedDeviceId,
125
126 /// The duration in milliseconds relative to the time this membership joined
127 /// during which the membership is valid.
128 ///
129 /// The time a member has joined is defined as:
130 /// `MIN(content.created_ts, event.origin_server_ts)`
131 #[serde(with = "ruma_common::serde::duration::ms")]
132 pub expires: Duration,
133
134 /// Stores a copy of the `origin_server_ts` of the initial session event.
135 ///
136 /// If the membership is updated this field will be used to track to
137 /// original `origin_server_ts`.
138 #[serde(skip_serializing_if = "Option::is_none")]
139 pub created_ts: Option<MilliSecondsSinceUnixEpoch>,
140
141 /// A list of the foci in use for this membership.
142 pub foci_active: Vec<Focus>,
143
144 /// The id of the membership.
145 ///
146 /// This is required to guarantee uniqueness of the event.
147 /// Sending the same state event twice to synapse makes the HS drop the second one and return
148 /// 200.
149 #[serde(rename = "membershipID")]
150 pub membership_id: String,
151}
152
153impl LegacyMembershipData {
154 /// Checks if the event is expired.
155 ///
156 /// Defaults to using `created_ts` of the [`LegacyMembershipData`].
157 /// If no `origin_server_ts` is provided and the event does not contain `created_ts`
158 /// the event will be considered as not expired.
159 /// In this case, a warning will be logged.
160 ///
161 /// # Arguments
162 ///
163 /// * `origin_server_ts` - a fallback if [`LegacyMembershipData::created_ts`] is not present
164 pub fn is_expired(&self, origin_server_ts: Option<MilliSecondsSinceUnixEpoch>) -> bool {
165 let ev_created_ts = self.created_ts.or(origin_server_ts);
166
167 if let Some(ev_created_ts) = ev_created_ts {
168 let now = MilliSecondsSinceUnixEpoch::now().to_system_time();
169 let expire_ts = ev_created_ts.to_system_time().map(|t| t + self.expires);
170 now > expire_ts
171 } else {
172 // This should not be reached since we only allow events that have copied over
173 // the origin server ts. `set_created_ts_if_none`
174 warn!("Encountered a Call Member state event where the origin_ts (or origin_server_ts) could not be found.\
175 It is treated as a non expired event but this might be wrong.");
176 false
177 }
178 }
179}
180
181/// Initial set of fields of [`LegacyMembershipData`].
182#[derive(Debug)]
183#[allow(clippy::exhaustive_structs)]
184pub struct LegacyMembershipDataInit {
185 /// The type of the MatrixRTC session the membership belongs to.
186 ///
187 /// e.g. call, spacial, document...
188 pub application: Application,
189
190 /// The device id of this membership.
191 ///
192 /// The same user can join with their phone/computer.
193 pub device_id: OwnedDeviceId,
194
195 /// The duration in milliseconds relative to the time this membership joined
196 /// during which the membership is valid.
197 ///
198 /// The time a member has joined is defined as:
199 /// `MIN(content.created_ts, event.origin_server_ts)`
200 pub expires: Duration,
201
202 /// A list of the focuses (foci) in use for this membership.
203 pub foci_active: Vec<Focus>,
204
205 /// The id of the membership.
206 ///
207 /// This is required to guarantee uniqueness of the event.
208 /// Sending the same state event twice to synapse makes the HS drop the second one and return
209 /// 200.
210 pub membership_id: String,
211}
212
213impl From<LegacyMembershipDataInit> for LegacyMembershipData {
214 fn from(init: LegacyMembershipDataInit) -> Self {
215 let LegacyMembershipDataInit {
216 application,
217 device_id,
218 expires,
219 foci_active,
220 membership_id,
221 } = init;
222 Self { application, device_id, expires, created_ts: None, foci_active, membership_id }
223 }
224}
225
226/// Stores all the information for a MatrixRTC membership. (one for each device)
227#[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
228#[cfg_attr(not(ruma_unstable_exhaustive_types), non_exhaustive)]
229pub struct SessionMembershipData {
230 /// The type of the MatrixRTC session the membership belongs to.
231 ///
232 /// e.g. call, spacial, document...
233 #[serde(flatten)]
234 pub application: Application,
235
236 /// The device id of this membership.
237 ///
238 /// The same user can join with their phone/computer.
239 pub device_id: OwnedDeviceId,
240
241 /// A list of the foci that this membership proposes to use.
242 pub foci_preferred: Vec<Focus>,
243
244 /// Data required to determine the currently used focus by this member.
245 pub focus_active: ActiveFocus,
246
247 /// Stores a copy of the `origin_server_ts` of the initial session event.
248 ///
249 /// This is not part of the serialized event and computed after serialization.
250 #[serde(skip)]
251 pub created_ts: Option<MilliSecondsSinceUnixEpoch>,
252}
253
254/// The type of the MatrixRTC session.
255///
256/// This is not the application/client used by the user but the
257/// type of MatrixRTC session e.g. calling (`m.call`), third-room, whiteboard could be
258/// possible applications.
259#[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
260#[cfg_attr(not(ruma_unstable_exhaustive_types), non_exhaustive)]
261#[serde(tag = "application")]
262pub enum Application {
263 /// The rtc application (session type) for VoIP call.
264 #[serde(rename = "m.call")]
265 Call(CallApplicationContent),
266}
267
268/// Call specific parameters of a `m.call.member` event.
269#[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
270#[cfg_attr(not(ruma_unstable_exhaustive_types), non_exhaustive)]
271pub struct CallApplicationContent {
272 /// An identifier for calls.
273 ///
274 /// All members using the same `call_id` will end up in the same call.
275 ///
276 /// Does not need to be a uuid.
277 ///
278 /// `""` is used for room scoped calls.
279 pub call_id: String,
280
281 /// Who owns/joins/controls (can modify) the call.
282 pub scope: CallScope,
283}
284
285impl CallApplicationContent {
286 /// Initialize a [`CallApplicationContent`].
287 ///
288 /// # Arguments
289 ///
290 /// * `call_id` - An identifier for calls. All members using the same `call_id` will end up in
291 /// the same call. Does not need to be a uuid. `""` is used for room scoped calls.
292 /// * `scope` - Who owns/joins/controls (can modify) the call.
293 pub fn new(call_id: String, scope: CallScope) -> Self {
294 Self { call_id, scope }
295 }
296}
297
298/// The call scope defines different call ownership models.
299#[doc = include_str!(concat!(env!("CARGO_MANIFEST_DIR"), "/src/doc/string_enum.md"))]
300#[derive(Clone, PartialEq, StringEnum)]
301#[cfg_attr(not(ruma_unstable_exhaustive_types), non_exhaustive)]
302#[ruma_enum(rename_all = "m.snake_case")]
303pub enum CallScope {
304 /// A call which every user of a room can join and create.
305 ///
306 /// There is no particular name associated with it.
307 ///
308 /// There can only be one per room.
309 Room,
310
311 /// A user call is owned by a user.
312 ///
313 /// Each user can create one there can be multiple per room. They are started and ended by the
314 /// owning user.
315 User,
316
317 #[doc(hidden)]
318 _Custom(PrivOwnedStr),
319}