matrix_sdk_base/store/
send_queue.rs

1// Copyright 2024 The Matrix.org Foundation C.I.C.
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7//     http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15//! All data types related to the send queue.
16
17use std::{collections::BTreeMap, fmt, ops::Deref};
18
19use as_variant::as_variant;
20use ruma::{
21    events::{
22        room::{message::RoomMessageEventContent, MediaSource},
23        AnyMessageLikeEventContent, EventContent as _, RawExt as _,
24    },
25    serde::Raw,
26    MilliSecondsSinceUnixEpoch, OwnedDeviceId, OwnedEventId, OwnedTransactionId, OwnedUserId,
27    TransactionId, UInt,
28};
29use serde::{Deserialize, Serialize};
30
31use crate::media::MediaRequestParameters;
32
33/// A thin wrapper to serialize a `AnyMessageLikeEventContent`.
34#[derive(Clone, Serialize, Deserialize)]
35pub struct SerializableEventContent {
36    event: Raw<AnyMessageLikeEventContent>,
37    event_type: String,
38}
39
40#[cfg(not(tarpaulin_include))]
41impl fmt::Debug for SerializableEventContent {
42    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
43        // Don't include the event in the debug display.
44        f.debug_struct("SerializedEventContent")
45            .field("event_type", &self.event_type)
46            .finish_non_exhaustive()
47    }
48}
49
50impl SerializableEventContent {
51    /// Create a [`SerializableEventContent`] from a raw
52    /// [`AnyMessageLikeEventContent`] along with its type.
53    pub fn from_raw(event: Raw<AnyMessageLikeEventContent>, event_type: String) -> Self {
54        Self { event_type, event }
55    }
56
57    /// Create a [`SerializableEventContent`] from an
58    /// [`AnyMessageLikeEventContent`].
59    pub fn new(event: &AnyMessageLikeEventContent) -> Result<Self, serde_json::Error> {
60        Ok(Self::from_raw(Raw::new(event)?, event.event_type().to_string()))
61    }
62
63    /// Convert a [`SerializableEventContent`] back into a
64    /// [`AnyMessageLikeEventContent`].
65    pub fn deserialize(&self) -> Result<AnyMessageLikeEventContent, serde_json::Error> {
66        self.event.deserialize_with_type(self.event_type.clone().into())
67    }
68
69    /// Returns the raw event content along with its type.
70    ///
71    /// Useful for callers manipulating custom events.
72    pub fn raw(&self) -> (&Raw<AnyMessageLikeEventContent>, &str) {
73        (&self.event, &self.event_type)
74    }
75}
76
77/// The kind of a send queue request.
78#[derive(Clone, Debug, Serialize, Deserialize)]
79pub enum QueuedRequestKind {
80    /// An event to be sent via the send queue.
81    Event {
82        /// The content of the message-like event we'd like to send.
83        content: SerializableEventContent,
84    },
85
86    /// Content to upload on the media server.
87    ///
88    /// The bytes must be stored in the media cache, and are identified by the
89    /// cache key.
90    MediaUpload {
91        /// Content type of the media to be uploaded.
92        ///
93        /// Stored as a `String` because `Mime` which we'd really want to use
94        /// here, is not serializable. Oh well.
95        content_type: String,
96
97        /// The cache key used to retrieve the media's bytes in the event cache
98        /// store.
99        cache_key: MediaRequestParameters,
100
101        /// An optional media source for a thumbnail already uploaded.
102        thumbnail_source: Option<MediaSource>,
103
104        /// To which media event transaction does this upload relate?
105        related_to: OwnedTransactionId,
106
107        /// Accumulated list of infos for previously uploaded files and
108        /// thumbnails if used during a gallery transaction. Otherwise empty.
109        #[cfg(feature = "unstable-msc4274")]
110        #[serde(default)]
111        accumulated: Vec<AccumulatedSentMediaInfo>,
112    },
113}
114
115impl From<SerializableEventContent> for QueuedRequestKind {
116    fn from(content: SerializableEventContent) -> Self {
117        Self::Event { content }
118    }
119}
120
121/// A request to be sent with a send queue.
122#[derive(Clone)]
123pub struct QueuedRequest {
124    /// The kind of queued request we're going to send.
125    pub kind: QueuedRequestKind,
126
127    /// Unique transaction id for the queued request, acting as a key.
128    pub transaction_id: OwnedTransactionId,
129
130    /// Error returned when the request couldn't be sent and is stuck in the
131    /// unrecoverable state.
132    ///
133    /// `None` if the request is in the queue, waiting to be sent.
134    pub error: Option<QueueWedgeError>,
135
136    /// At which priority should this be handled?
137    ///
138    /// The bigger the value, the higher the priority at which this request
139    /// should be handled.
140    pub priority: usize,
141
142    /// The time that the request was originally attempted.
143    pub created_at: MilliSecondsSinceUnixEpoch,
144}
145
146impl QueuedRequest {
147    /// Returns `Some` if the queued request is about sending an event.
148    pub fn as_event(&self) -> Option<&SerializableEventContent> {
149        as_variant!(&self.kind, QueuedRequestKind::Event { content } => content)
150    }
151
152    /// True if the request couldn't be sent because of an unrecoverable API
153    /// error. See [`Self::error`] for more details on the reason.
154    pub fn is_wedged(&self) -> bool {
155        self.error.is_some()
156    }
157}
158
159/// Represents a failed to send unrecoverable error of an event sent via the
160/// send queue.
161///
162/// It is a serializable representation of a client error, see
163/// `From` implementation for more details. These errors can not be
164/// automatically retried, but yet some manual action can be taken before retry
165/// sending. If not the only solution is to delete the local event.
166#[derive(Clone, Debug, Serialize, Deserialize, thiserror::Error)]
167pub enum QueueWedgeError {
168    /// This error occurs when there are some insecure devices in the room, and
169    /// the current encryption setting prohibits sharing with them.
170    #[error("There are insecure devices in the room")]
171    InsecureDevices {
172        /// The insecure devices as a Map of userID to deviceID.
173        user_device_map: BTreeMap<OwnedUserId, Vec<OwnedDeviceId>>,
174    },
175
176    /// This error occurs when a previously verified user is not anymore, and
177    /// the current encryption setting prohibits sharing when it happens.
178    #[error("Some users that were previously verified are not anymore")]
179    IdentityViolations {
180        /// The users that are expected to be verified but are not.
181        users: Vec<OwnedUserId>,
182    },
183
184    /// It is required to set up cross-signing and properly verify the current
185    /// session before sending.
186    #[error("Own verification is required")]
187    CrossVerificationRequired,
188
189    /// Media content was cached in the media store, but has disappeared before
190    /// we could upload it.
191    #[error("Media content disappeared")]
192    MissingMediaContent,
193
194    /// We tried to upload some media content with an unknown mime type.
195    #[error("Invalid mime type '{mime_type}' for media")]
196    InvalidMimeType {
197        /// The observed mime type that's expected to be invalid.
198        mime_type: String,
199    },
200
201    /// Other errors.
202    #[error("Other unrecoverable error: {msg}")]
203    GenericApiError {
204        /// Description of the error.
205        msg: String,
206    },
207}
208
209/// The specific user intent that characterizes a
210/// [`DependentQueuedRequestKind`].
211#[derive(Clone, Debug, Serialize, Deserialize)]
212pub enum DependentQueuedRequestKind {
213    /// The event should be edited.
214    EditEvent {
215        /// The new event for the content.
216        new_content: SerializableEventContent,
217    },
218
219    /// The event should be redacted/aborted/removed.
220    RedactEvent,
221
222    /// The event should be reacted to, with the given key.
223    ReactEvent {
224        /// Key used for the reaction.
225        key: String,
226    },
227
228    /// Upload a file or thumbnail depending on another file or thumbnail
229    /// upload.
230    #[serde(alias = "UploadFileWithThumbnail")]
231    UploadFileOrThumbnail {
232        /// Content type for the file or thumbnail.
233        content_type: String,
234
235        /// Media request necessary to retrieve the file or thumbnail itself.
236        cache_key: MediaRequestParameters,
237
238        /// To which media transaction id does this upload relate to?
239        related_to: OwnedTransactionId,
240
241        /// Whether the depended upon request was a thumbnail or a file upload.
242        #[cfg(feature = "unstable-msc4274")]
243        #[serde(default = "default_parent_is_thumbnail_upload")]
244        parent_is_thumbnail_upload: bool,
245    },
246
247    /// Finish an upload by updating references to the media cache and sending
248    /// the final media event with the remote MXC URIs.
249    FinishUpload {
250        /// Local echo for the event (containing the local MXC URIs).
251        ///
252        /// `Box` the local echo so that it reduces the size of the whole enum.
253        local_echo: Box<RoomMessageEventContent>,
254
255        /// Transaction id for the file upload.
256        file_upload: OwnedTransactionId,
257
258        /// Information about the thumbnail, if present.
259        thumbnail_info: Option<FinishUploadThumbnailInfo>,
260    },
261
262    /// Finish a gallery upload by updating references to the media cache and
263    /// sending the final gallery event with the remote MXC URIs.
264    #[cfg(feature = "unstable-msc4274")]
265    FinishGallery {
266        /// Local echo for the event (containing the local MXC URIs).
267        ///
268        /// `Box` the local echo so that it reduces the size of the whole enum.
269        local_echo: Box<RoomMessageEventContent>,
270
271        /// Metadata about the gallery items.
272        item_infos: Vec<FinishGalleryItemInfo>,
273    },
274}
275
276/// If parent_is_thumbnail_upload is missing, we assume the request is for a
277/// file upload following a thumbnail upload. This was the only possible case
278/// before parent_is_thumbnail_upload was introduced.
279#[cfg(feature = "unstable-msc4274")]
280fn default_parent_is_thumbnail_upload() -> bool {
281    true
282}
283
284/// Detailed record about a thumbnail used when finishing a media upload.
285#[derive(Clone, Debug, Serialize, Deserialize)]
286pub struct FinishUploadThumbnailInfo {
287    /// Transaction id for the thumbnail upload.
288    pub txn: OwnedTransactionId,
289    /// Thumbnail's width.
290    ///
291    /// Used previously, kept for backwards compatibility.
292    #[serde(default, skip_serializing_if = "Option::is_none")]
293    pub width: Option<UInt>,
294    /// Thumbnail's height.
295    ///
296    /// Used previously, kept for backwards compatibility.
297    #[serde(default, skip_serializing_if = "Option::is_none")]
298    pub height: Option<UInt>,
299}
300
301/// Detailed record about a file and thumbnail. When finishing a gallery
302/// upload, one [`FinishGalleryItemInfo`] will be used for each media in the
303/// gallery.
304#[cfg(feature = "unstable-msc4274")]
305#[derive(Clone, Debug, Serialize, Deserialize)]
306pub struct FinishGalleryItemInfo {
307    /// Transaction id for the file upload.
308    pub file_upload: OwnedTransactionId,
309    /// Information about the thumbnail, if present.
310    pub thumbnail_info: Option<FinishUploadThumbnailInfo>,
311}
312
313/// A transaction id identifying a [`DependentQueuedRequest`] rather than its
314/// parent [`QueuedRequest`].
315///
316/// This thin wrapper adds some safety to some APIs, making it possible to
317/// distinguish between the parent's `TransactionId` and the dependent event's
318/// own `TransactionId`.
319#[repr(transparent)]
320#[derive(Clone, Debug, PartialEq, Serialize, Deserialize)]
321#[serde(transparent)]
322pub struct ChildTransactionId(OwnedTransactionId);
323
324impl ChildTransactionId {
325    /// Returns a new [`ChildTransactionId`].
326    #[allow(clippy::new_without_default)]
327    pub fn new() -> Self {
328        Self(TransactionId::new())
329    }
330}
331
332impl Deref for ChildTransactionId {
333    type Target = TransactionId;
334
335    fn deref(&self) -> &Self::Target {
336        &self.0
337    }
338}
339
340impl From<String> for ChildTransactionId {
341    fn from(val: String) -> Self {
342        Self(val.into())
343    }
344}
345
346impl From<ChildTransactionId> for OwnedTransactionId {
347    fn from(val: ChildTransactionId) -> Self {
348        val.0
349    }
350}
351
352impl From<OwnedTransactionId> for ChildTransactionId {
353    fn from(val: OwnedTransactionId) -> Self {
354        Self(val)
355    }
356}
357
358/// Information about a media (and its thumbnail) that have been sent to a
359/// homeserver.
360#[derive(Clone, Debug, Serialize, Deserialize)]
361pub struct SentMediaInfo {
362    /// File that was uploaded by this request.
363    ///
364    /// If the request related to a thumbnail upload, this contains the
365    /// thumbnail media source.
366    pub file: MediaSource,
367
368    /// Optional thumbnail previously uploaded, when uploading a file.
369    ///
370    /// When uploading a thumbnail, this is set to `None`.
371    pub thumbnail: Option<MediaSource>,
372
373    /// Accumulated list of infos for previously uploaded files and thumbnails
374    /// if used during a gallery transaction. Otherwise empty.
375    #[cfg(feature = "unstable-msc4274")]
376    #[serde(default)]
377    pub accumulated: Vec<AccumulatedSentMediaInfo>,
378}
379
380/// Accumulated information about a media (and its thumbnail) that have been
381/// sent to a homeserver.
382#[cfg(feature = "unstable-msc4274")]
383#[derive(Clone, Debug, Serialize, Deserialize)]
384pub struct AccumulatedSentMediaInfo {
385    /// File that was uploaded by this request.
386    ///
387    /// If the request related to a thumbnail upload, this contains the
388    /// thumbnail media source.
389    pub file: MediaSource,
390
391    /// Optional thumbnail previously uploaded, when uploading a file.
392    ///
393    /// When uploading a thumbnail, this is set to `None`.
394    pub thumbnail: Option<MediaSource>,
395}
396
397#[cfg(feature = "unstable-msc4274")]
398impl From<AccumulatedSentMediaInfo> for SentMediaInfo {
399    fn from(value: AccumulatedSentMediaInfo) -> Self {
400        Self { file: value.file, thumbnail: value.thumbnail, accumulated: vec![] }
401    }
402}
403
404/// A unique key (identifier) indicating that a transaction has been
405/// successfully sent to the server.
406///
407/// The owning child transactions can now be resolved.
408#[derive(Clone, Debug, Serialize, Deserialize)]
409pub enum SentRequestKey {
410    /// The parent transaction returned an event when it succeeded.
411    Event(OwnedEventId),
412
413    /// The parent transaction returned an uploaded resource URL.
414    Media(SentMediaInfo),
415}
416
417impl SentRequestKey {
418    /// Converts the current parent key into an event id, if possible.
419    pub fn into_event_id(self) -> Option<OwnedEventId> {
420        as_variant!(self, Self::Event)
421    }
422
423    /// Converts the current parent key into information about a sent media, if
424    /// possible.
425    pub fn into_media(self) -> Option<SentMediaInfo> {
426        as_variant!(self, Self::Media)
427    }
428}
429
430/// A request to be sent, depending on a [`QueuedRequest`] to be sent first.
431///
432/// Depending on whether the parent request has been sent or not, this will
433/// either update the local echo in the storage, or materialize an equivalent
434/// request implementing the user intent to the homeserver.
435#[derive(Clone, Debug, Serialize, Deserialize)]
436pub struct DependentQueuedRequest {
437    /// Unique identifier for this dependent queued request.
438    ///
439    /// Useful for deletion.
440    pub own_transaction_id: ChildTransactionId,
441
442    /// The kind of user intent.
443    pub kind: DependentQueuedRequestKind,
444
445    /// Transaction id for the parent's local echo / used in the server request.
446    ///
447    /// Note: this is the transaction id used for the depended-on request, i.e.
448    /// the one that was originally sent and that's being modified with this
449    /// dependent request.
450    pub parent_transaction_id: OwnedTransactionId,
451
452    /// If the parent request has been sent, the parent's request identifier
453    /// returned by the server once the local echo has been sent out.
454    pub parent_key: Option<SentRequestKey>,
455
456    /// The time that the request was originally attempted.
457    pub created_at: MilliSecondsSinceUnixEpoch,
458}
459
460impl DependentQueuedRequest {
461    /// Does the dependent request represent a new event that is *not*
462    /// aggregated, aka it is going to be its own item in a timeline?
463    pub fn is_own_event(&self) -> bool {
464        match self.kind {
465            DependentQueuedRequestKind::EditEvent { .. }
466            | DependentQueuedRequestKind::RedactEvent
467            | DependentQueuedRequestKind::ReactEvent { .. }
468            | DependentQueuedRequestKind::UploadFileOrThumbnail { .. } => {
469                // These are all aggregated events, or non-visible items (file upload producing
470                // a new MXC ID).
471                false
472            }
473            DependentQueuedRequestKind::FinishUpload { .. } => {
474                // This one graduates into a new media event.
475                true
476            }
477            #[cfg(feature = "unstable-msc4274")]
478            DependentQueuedRequestKind::FinishGallery { .. } => {
479                // This one graduates into a new gallery event.
480                true
481            }
482        }
483    }
484}
485
486#[cfg(not(tarpaulin_include))]
487impl fmt::Debug for QueuedRequest {
488    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
489        // Hide the content from the debug log.
490        f.debug_struct("QueuedRequest")
491            .field("transaction_id", &self.transaction_id)
492            .field("is_wedged", &self.is_wedged())
493            .finish_non_exhaustive()
494    }
495}