Skip to main content

matrix_sdk/encryption/recovery/
mod.rs

1// Copyright 2023 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//! The recovery module
16//!
17//! The recovery module attempts to provide a unified and simplified view over
18//! the secret storage and backup subsystems.
19//!
20//! **Note**: If you are using this module, do not use the [`SecretStorage`] and
21//! [`Backups`] subsystems directly. This module makes assumptions that might be
22//! broken by the direct usage of the respective lower level modules.
23//!
24//! **Note**: The term Recovery used in this submodule is not the same as the
25//! [`Recovery key`] mentioned in the spec. The recovery key from the spec is
26//! solely about backups, while the term recovery in this file includes both the
27//! backups and the secret storage subsystems. The recovery key mentioned in
28//! this file is the secret storage key.
29//!
30//! You should configure your client to bootstrap cross-signing automatically
31//! and may choose to let your client automatically create a backup, if it
32//! doesn't exist, as well:
33//!
34//! ```no_run
35//! use matrix_sdk::{Client, encryption::EncryptionSettings};
36//!
37//! # async {
38//! # let homeserver = "http://example.org";
39//! let client = Client::builder()
40//!     .homeserver_url(homeserver)
41//!     .with_encryption_settings(EncryptionSettings {
42//!         auto_enable_cross_signing: true,
43//!         auto_enable_backups: true,
44//!         ..Default::default()
45//!     })
46//!     .build()
47//!     .await?;
48//! # anyhow::Ok(()) };
49//! ```
50//!
51//! # Examples
52//!
53//! For a newly registered user you will want to enable recovery, either
54//! immediately or before the user logs out.
55//!
56//! ```no_run
57//! # use matrix_sdk::{Client, encryption::recovery::EnableProgress};
58//! # use url::Url;
59//! # async {
60//! # let homeserver = Url::parse("http://example.com")?;
61//! # let client = Client::new(homeserver).await?;
62//! let recovery = client.encryption().recovery();
63//!
64//! // Create a new recovery key, you can use the provided passphrase, or the returned recovery key
65//! // to recover.
66//! let recovery_key = recovery
67//!     .enable()
68//!     .wait_for_backups_to_upload()
69//!     .with_passphrase("my passphrase")
70//!     .await;
71//! # anyhow::Ok(()) };
72//! ```
73//!
74//! If the user logs in with another device, you'll want to let the user recover
75//! its secrets by entering the recovery key or recovery passphrase.
76//!
77//! ```no_run
78//! # use matrix_sdk::{Client, encryption::recovery::EnableProgress};
79//! # use url::Url;
80//! # async {
81//! # let homeserver = Url::parse("http://example.com")?;
82//! # let client = Client::new(homeserver).await?;
83//! let recovery = client.encryption().recovery();
84//!
85//! // Create a new recovery key, you can use the provided passphrase, or the returned recovery key
86//! // to recover.
87//! recovery.recover("my recovery key or passphrase").await;
88//! # anyhow::Ok(()) };
89//! ```
90//!
91//! [`Recovery key`]: https://spec.matrix.org/v1.8/client-server-api/#recovery-key
92
93use futures_core::{Future, Stream};
94use futures_util::StreamExt as _;
95use ruma::{
96    api::client::keys::get_keys,
97    events::{
98        GlobalAccountDataEventType,
99        secret::{request::SecretName, send::ToDeviceSecretSendEvent},
100        secret_storage::{default_key::SecretStorageDefaultKeyEvent, secret::SecretEventContent},
101    },
102    serde::Raw,
103};
104use serde_json::{json, value::to_raw_value};
105use tracing::{error, info, instrument, warn};
106
107#[cfg(doc)]
108use crate::encryption::{
109    backups::Backups,
110    secret_storage::{SecretStorage, SecretStore},
111};
112use crate::{
113    Client,
114    client::WeakClient,
115    encryption::{backups::BackupState, secret_storage::SecretStorageError},
116};
117
118pub mod futures;
119mod types;
120pub use self::types::{EnableProgress, RecoveryError, RecoveryState, Result};
121use self::{
122    futures::{Enable, RecoverAndReset, Reset},
123    types::{BackupDisabledContent, SecretStorageDisabledContent},
124};
125use crate::encryption::{AuthData, CrossSigningResetAuthType, CrossSigningResetHandle};
126
127/// The recovery manager for the [`Client`].
128#[derive(Debug)]
129pub struct Recovery {
130    pub(super) client: Client,
131}
132
133impl Recovery {
134    /// The list of known secrets that are contained in secret storage once
135    /// recover is enabled.
136    pub const KNOWN_SECRETS: &[SecretName] = &[
137        SecretName::CrossSigningMasterKey,
138        SecretName::CrossSigningUserSigningKey,
139        SecretName::CrossSigningSelfSigningKey,
140        SecretName::RecoveryKey,
141    ];
142
143    /// Get the current [`RecoveryState`] for this [`Client`].
144    pub fn state(&self) -> RecoveryState {
145        self.client.inner.e2ee.recovery_state.get()
146    }
147
148    /// Get a stream of updates to the [`RecoveryState`].
149    ///
150    /// This method will send out the current state as the first update.
151    ///
152    /// # Examples
153    ///
154    /// ```no_run
155    /// # use matrix_sdk::{Client, encryption::recovery::RecoveryState};
156    /// # use url::Url;
157    /// # async {
158    /// # let homeserver = Url::parse("http://example.com")?;
159    /// # let client = Client::new(homeserver).await?;
160    /// use futures_util::StreamExt;
161    ///
162    /// let recovery = client.encryption().recovery();
163    ///
164    /// let mut state_stream = recovery.state_stream();
165    ///
166    /// while let Some(update) = state_stream.next().await {
167    ///     match update {
168    ///         RecoveryState::Enabled => {
169    ///             println!("Recovery has been enabled");
170    ///         }
171    ///         _ => (),
172    ///     }
173    /// }
174    /// # anyhow::Ok(()) };
175    /// ```
176    pub fn state_stream(&self) -> impl Stream<Item = RecoveryState> + use<> {
177        self.client.inner.e2ee.recovery_state.subscribe_reset()
178    }
179
180    /// Enable secret storage *and* backups.
181    ///
182    /// This method will create a new secret storage key and a new backup if one
183    /// doesn't already exist. It will then upload all the locally cached
184    /// secrets, including the backup recovery key, to the new secret store.
185    ///
186    /// This method will throw an error if a backup already exists on the
187    /// homeserver but this [`Client`] isn't connected to the existing backup.
188    ///
189    /// # Examples
190    ///
191    /// ```no_run
192    /// # use matrix_sdk::{Client, encryption::recovery::EnableProgress};
193    /// # use url::Url;
194    /// # async {
195    /// # let homeserver = Url::parse("http://example.com")?;
196    /// # let client = Client::new(homeserver).await?;
197    /// use futures_util::StreamExt;
198    ///
199    /// let recovery = client.encryption().recovery();
200    ///
201    /// let enable = recovery
202    ///     .enable()
203    ///     .wait_for_backups_to_upload()
204    ///     .with_passphrase("my passphrase");
205    ///
206    /// let mut progress_stream = enable.subscribe_to_progress();
207    ///
208    /// tokio::spawn(async move {
209    ///     while let Some(update) = progress_stream.next().await {
210    ///         let Ok(update) = update else {
211    ///             panic!("Update to the enable progress lagged")
212    ///         };
213    ///
214    ///         match update {
215    ///             EnableProgress::CreatingBackup => {
216    ///                 println!("Creating a new backup");
217    ///             }
218    ///             EnableProgress::CreatingRecoveryKey => {
219    ///                 println!("Creating a new recovery key");
220    ///             }
221    ///             EnableProgress::Done { .. } => {
222    ///                 println!("Recovery has been enabled");
223    ///                 break;
224    ///             }
225    ///             _ => (),
226    ///         }
227    ///     }
228    /// });
229    ///
230    /// let recovery_key = enable.await?;
231    ///
232    /// # anyhow::Ok(()) };
233    /// ```
234    #[instrument(skip_all)]
235    pub fn enable(&self) -> Enable<'_> {
236        Enable::new(self)
237    }
238
239    /// Create a new backup if one does not exist yet.
240    ///
241    /// This method will throw an error if a backup already exists on the
242    /// homeserver but this [`Client`] isn't connected to the existing backup.
243    ///
244    /// # Examples
245    ///
246    /// ```no_run
247    /// # use matrix_sdk::{Client, encryption::backups::BackupState};
248    /// # use url::Url;
249    /// # async {
250    /// # let homeserver = Url::parse("http://example.com")?;
251    /// # let client = Client::new(homeserver).await?;
252    /// let recovery = client.encryption().recovery();
253    ///
254    /// recovery.enable_backup().await?;
255    ///
256    /// assert_eq!(client.encryption().backups().state(), BackupState::Enabled);
257    ///
258    /// # anyhow::Ok(()) };
259    /// ```
260    #[instrument(skip_all)]
261    pub async fn enable_backup(&self) -> Result<()> {
262        if !self.client.encryption().backups().fetch_exists_on_server().await? {
263            self.mark_backup_as_enabled().await?;
264
265            self.client.encryption().backups().create().await?;
266            self.client.encryption().backups().maybe_trigger_backup();
267
268            Ok(())
269        } else {
270            Err(RecoveryError::BackupExistsOnServer)
271        }
272    }
273
274    /// Disable recovery completely.
275    ///
276    /// This method will do the following steps:
277    ///
278    /// 1. Disable the uploading of room keys to a currently active backup.
279    /// 2. Delete the currently active backup.
280    /// 3. Set the `m.secret_storage.default_key` global account data event to
281    ///    an empty JSON content.
282    /// 4. Set a global account data event so clients won't attempt to
283    ///    automatically re-enable a backup.
284    ///
285    /// # Examples
286    ///
287    /// ```no_run
288    /// # use matrix_sdk::{Client, encryption::recovery::RecoveryState};
289    /// # use url::Url;
290    /// # async {
291    /// # let homeserver = Url::parse("http://example.com")?;
292    /// # let client = Client::new(homeserver).await?;
293    /// let recovery = client.encryption().recovery();
294    ///
295    /// recovery.disable().await?;
296    ///
297    /// assert_eq!(recovery.state(), RecoveryState::Disabled);
298    ///
299    /// # anyhow::Ok(()) };
300    /// ```
301    #[instrument(skip_all)]
302    pub async fn disable(&self) -> Result<()> {
303        self.client.encryption().backups().disable().await?;
304
305        // Why oh why, can't we delete account data events?
306        //
307        // Alright, let's attempt to "delete" the content of our current default key,
308        // for this we first need to check if there is a default key, then
309        // deserialize the content and find out the key ID.
310        //
311        // Then we finally set the event to an empty JSON content.
312        if let Ok(Some(default_event)) =
313            self.client.encryption().secret_storage().fetch_default_key_id().await
314            && let Ok(default_event) = default_event.deserialize()
315        {
316            let key_id = default_event.key_id;
317            let event_type = GlobalAccountDataEventType::SecretStorageKey(key_id);
318
319            self.client
320                .account()
321                .set_account_data_raw(event_type, Raw::new(&json!({})).expect("").cast_unchecked())
322                .await?;
323        }
324
325        // Now let's "delete" the actual `m.secret.storage.default_key` event.
326        self.client.account().set_account_data(SecretStorageDisabledContent {}).await?;
327        // Make sure that we don't re-enable backups automatically.
328        self.client.account().set_account_data(BackupDisabledContent { disabled: true }).await?;
329        // Finally, "delete" all the known secrets we have in the account data.
330        self.delete_all_known_secrets().await?;
331
332        self.update_recovery_state().await?;
333
334        Ok(())
335    }
336
337    /// Reset the recovery key.
338    ///
339    /// This will rotate the secret storage key and re-upload all the secrets to
340    /// the [`SecretStore`].
341    ///
342    /// # Examples
343    ///
344    /// ```no_run
345    /// # use matrix_sdk::{Client, encryption::recovery::RecoveryState};
346    /// # use url::Url;
347    /// # async {
348    /// # let homeserver = Url::parse("http://example.com")?;
349    /// # let client = Client::new(homeserver).await?;
350    /// let recovery = client.encryption().recovery();
351    ///
352    /// let new_recovery_key =
353    ///     recovery.reset_key().with_passphrase("my passphrase").await;
354    /// # anyhow::Ok(()) };
355    /// ```
356    #[instrument(skip_all)]
357    pub fn reset_key(&self) -> Reset<'_> {
358        // TODO: Should this only be possible if we're in the RecoveryState::Enabled
359        // state? Otherwise we'll create a new secret store but won't be able to
360        // upload all the secrets.
361        Reset::new(self)
362    }
363
364    /// Reset the recovery key but first import all the secrets from secret
365    /// storage.
366    ///
367    /// # Examples
368    ///
369    /// ```no_run
370    /// # use matrix_sdk::{Client, encryption::recovery::RecoveryState};
371    /// # use url::Url;
372    /// # async {
373    /// # let homeserver = Url::parse("http://example.com")?;
374    /// # let client = Client::new(homeserver).await?;
375    /// let recovery = client.encryption().recovery();
376    ///
377    /// let new_recovery_key = recovery
378    ///     .recover_and_reset("my old passphrase or key")
379    ///     .with_passphrase("my new passphrase")
380    ///     .await?;
381    /// # anyhow::Ok(()) };
382    /// ```
383    #[instrument(skip_all)]
384    pub fn recover_and_reset<'a>(&'a self, old_key: &'a str) -> RecoverAndReset<'a> {
385        RecoverAndReset::new(self, old_key)
386    }
387
388    /// Completely reset the current user's crypto identity.
389    /// This method will go through the following steps:
390    ///
391    /// 1. Disable backing up room keys and delete the active backup
392    /// 2. Disable recovery and delete secret storage
393    /// 3. Go through the cross-signing key reset flow
394    /// 4. Finally, re-enable key backups (only if they were already enabled)
395    ///
396    /// Disclaimer: failures in this flow will potentially leave the user in
397    /// an inconsistent state but they're expected to just run the reset flow
398    /// again as presumably the reason they started it to begin with was
399    /// that they no longer had access to any of their data.
400    ///
401    /// # Examples
402    ///
403    /// ```no_run
404    /// # use matrix_sdk::{
405    ///     encryption::recovery, encryption::CrossSigningResetAuthType, ruma::api::client::uiaa,
406    ///     Client,
407    ///   };
408    /// # use url::Url;
409    /// # async {
410    /// # let homeserver = Url::parse("http://example.com")?;
411    /// # let client = Client::new(homeserver).await?;
412    /// # let user_id = unimplemented!();
413    /// let encryption = client.encryption();
414    ///
415    /// if let Some(handle) = encryption.recovery().reset_identity().await? {
416    ///     match handle.auth_type() {
417    ///         CrossSigningResetAuthType::Uiaa(uiaa) => {
418    ///             let password = "1234".to_owned();
419    ///             let mut password = uiaa::Password::new(user_id, password);
420    ///             password.session = uiaa.session;
421    ///
422    ///             handle.reset(Some(uiaa::AuthData::Password(password))).await?;
423    ///         }
424    ///         CrossSigningResetAuthType::OAuth(o) => {
425    ///             println!(
426    ///                 "To reset your end-to-end encryption cross-signing identity, \
427    ///                 you first need to approve it at {}",
428    ///                 o.approval_url
429    ///             );
430    ///             handle.reset(None).await?;
431    ///         }
432    ///     }
433    /// }
434    /// # anyhow::Ok(()) };
435    /// ```
436    pub async fn reset_identity(&self) -> Result<Option<IdentityResetHandle>> {
437        self.client.encryption().backups().disable_and_delete().await?; // 1.
438
439        // 2. (We can't delete account data events)
440        self.client.account().set_account_data(SecretStorageDisabledContent {}).await?;
441        self.client.encryption().recovery().update_recovery_state().await?;
442
443        let cross_signing_reset_handle = self.client.encryption().reset_cross_signing().await?;
444
445        if let Some(handle) = cross_signing_reset_handle {
446            // Authentication required, backups will be re-enabled after the reset
447            Ok(Some(IdentityResetHandle {
448                client: self.client.clone(),
449                cross_signing_reset_handle: handle,
450            }))
451        } else {
452            // No authentication required, re-enable backups
453            if self.client.encryption().recovery().should_auto_enable_backups().await? {
454                self.client.encryption().recovery().enable_backup().await?; // 4.
455            }
456
457            Ok(None)
458        }
459    }
460
461    /// Recover all the secrets from the homeserver.
462    ///
463    /// This method is a convenience method around the
464    /// [`SecretStore::import_secrets()`] method, please read the documentation
465    /// of this method for more information about what happens if you call
466    /// this method.
467    ///
468    /// In short, this method will turn a newly created [`Client`] into a fully
469    /// end-to-end encryption enabled client.
470    ///
471    /// # Examples
472    ///
473    /// ```no_run
474    /// # use matrix_sdk::{Client, encryption::recovery::RecoveryState};
475    /// # use url::Url;
476    /// # async {
477    /// # let homeserver = Url::parse("http://example.com")?;
478    /// # let client = Client::new(homeserver).await?;
479    /// let recovery = client.encryption().recovery();
480    ///
481    /// recovery.recover("my recovery key or passphrase").await;
482    ///
483    /// assert_eq!(recovery.state(), RecoveryState::Enabled);
484    /// # anyhow::Ok(()) };
485    /// ```
486    #[instrument(skip_all)]
487    pub async fn recover(&self, recovery_key: &str) -> Result<()> {
488        let store =
489            self.client.encryption().secret_storage().open_secret_store(recovery_key).await?;
490
491        store.import_secrets().await?;
492        self.update_recovery_state().await?;
493
494        Ok(())
495    }
496
497    /// Recover all the secrets from the homeserver, and, if the
498    /// key backup information is inconsistent, create a new key backup.
499    ///
500    /// Please read the documentation for [`SecretStore::import_secrets()`]
501    /// for more information about the recovery of identity information.
502    ///
503    /// This will create a new key backup if:
504    ///
505    /// * Key backup is enabled and the backup decryption key is missing from
506    ///   Recovery, or
507    /// * Key backup is enabled and the backup decryption key does not match the
508    ///   public key
509    ///
510    /// # Examples
511    ///
512    /// ```no_run
513    /// # use matrix_sdk::{Client, encryption::recovery::RecoveryState};
514    /// # use url::Url;
515    /// # async {
516    /// # let homeserver = Url::parse("http://example.com")?;
517    /// # let client = Client::new(homeserver).await?;
518    /// let recovery = client.encryption().recovery();
519    ///
520    /// recovery.recover_and_fix_backup("my recovery key or passphrase").await;
521    ///
522    /// assert_eq!(recovery.state(), RecoveryState::Enabled);
523    /// # anyhow::Ok(()) };
524    /// ```
525    #[instrument(skip_all)]
526    pub async fn recover_and_fix_backup(&self, recovery_key: &str) -> Result<()> {
527        let store =
528            self.client.encryption().secret_storage().open_secret_store(recovery_key).await?;
529
530        let delete_and_recreate_backup = match store.import_secrets().await {
531            Ok(()) => false,
532            Err(SecretStorageError::InconsistentBackupDecryptionKey) => {
533                warn!(
534                    "Key storage decryption key does not match the current backup - creating a new key backup"
535                );
536                true
537            }
538            Err(SecretStorageError::MissingOrInvalidBackupDecryptionKey) => {
539                warn!("Missing or invalid backup decryption key - creating a new key backup");
540                true
541            }
542            Err(e) => return Err(e.into()),
543        };
544
545        if delete_and_recreate_backup {
546            self.client.encryption().backups().disable_and_delete().await?;
547            self.enable_backup().await?;
548            store.export_secrets().await?;
549        }
550
551        self.update_recovery_state().await?;
552
553        Ok(())
554    }
555
556    /// Is this device the last device the user has?
557    ///
558    /// This method is useful to check if we should recommend to the user that
559    /// they should enable recovery, typically done before logging out.
560    ///
561    /// If the user does not enable recovery before logging out of their last
562    /// device, they will not be able to decrypt historic messages once they
563    /// create a new device.
564    pub async fn is_last_device(&self) -> Result<bool> {
565        let olm_machine = self.client.olm_machine().await;
566        let olm_machine = olm_machine.as_ref().ok_or(crate::Error::NoOlmMachine)?;
567        let user_id = olm_machine.user_id();
568
569        self.client.encryption().ensure_initial_key_query().await?;
570
571        let devices = self.client.encryption().get_user_devices(user_id).await?;
572
573        Ok(devices.devices().count() == 1)
574    }
575
576    /// Did we correctly set up cross-signing and backups?
577    async fn all_known_secrets_available(&self) -> Result<bool> {
578        // Cross-signing state is fine if we have all the private cross-signing keys, as
579        // indicated in the status.
580        let cross_signing_complete = self
581            .client
582            .encryption()
583            .cross_signing_status()
584            .await
585            .map(|status| status.is_complete());
586        if !cross_signing_complete.unwrap_or_default() {
587            return Ok(false);
588        }
589
590        // The backup state is fine if we have backups enabled locally, or if backups
591        // have been marked as disabled.
592        if self.client.encryption().backups().are_enabled().await {
593            Ok(true)
594        } else {
595            self.are_backups_marked_as_disabled().await
596        }
597    }
598
599    async fn should_auto_enable_backups(&self) -> Result<bool> {
600        // If we didn't already enable backups, we don't see a backup version on the
601        // server, and finally if backups have not been marked to be explicitly
602        // disabled, then we can automatically enable them.
603        Ok(self.client.inner.e2ee.encryption_settings.auto_enable_backups
604            && !self.client.encryption().backups().are_enabled().await
605            && !self.client.encryption().backups().fetch_exists_on_server().await?
606            && !self.are_backups_marked_as_disabled().await?)
607    }
608
609    pub(crate) async fn setup(&self) -> Result<()> {
610        info!("Setting up account data listeners and trying to setup recovery");
611
612        self.client.add_event_handler(Self::default_key_event_handler);
613        self.client.add_event_handler(Self::secret_send_event_handler);
614        self.client.inner.e2ee.initialize_recovery_state_update_task(&self.client);
615
616        self.update_recovery_state().await?;
617
618        if self.should_auto_enable_backups().await? {
619            info!("Trying to automatically enable backups");
620
621            if let Err(e) = self.enable_backup().await {
622                warn!("Could not automatically enable backups: {e:?}");
623            }
624        }
625
626        Ok(())
627    }
628
629    /// Delete all the known secrets we are keeping in secret storage.
630    ///
631    /// The exact list of secrets is defined in [`Recovery::KNOWN_SECRETS`] and
632    /// might change over time.
633    ///
634    /// Since account data events can't actually be deleted, due to a missing
635    /// DELETE API, we're replacing the events with an empty
636    /// [`SecretEventContent`].
637    async fn delete_all_known_secrets(&self) -> Result<()> {
638        for secret_name in Self::KNOWN_SECRETS {
639            let event_type = GlobalAccountDataEventType::from(secret_name.to_owned());
640            let content = SecretEventContent::new(Default::default());
641            let secret_content = Raw::from_json(
642                to_raw_value(&content)
643                    .expect("We should be able to serialize a raw empty secret event content"),
644            );
645            self.client.account().set_account_data_raw(event_type, secret_content).await?;
646        }
647
648        Ok(())
649    }
650
651    /// Run a network request to figure whether backups have been disabled at
652    /// the account level.
653    async fn are_backups_marked_as_disabled(&self) -> Result<bool> {
654        Ok(self
655            .client
656            .account()
657            .fetch_account_data_static::<BackupDisabledContent>()
658            .await?
659            .map(|event| event.deserialize().map(|event| event.disabled).unwrap_or(false))
660            .unwrap_or(false))
661    }
662
663    async fn mark_backup_as_enabled(&self) -> Result<()> {
664        self.client.account().set_account_data(BackupDisabledContent { disabled: false }).await?;
665
666        Ok(())
667    }
668
669    async fn check_recovery_state(&self) -> Result<RecoveryState> {
670        Ok(if self.client.encryption().secret_storage().is_enabled().await? {
671            if self.all_known_secrets_available().await? {
672                RecoveryState::Enabled
673            } else {
674                RecoveryState::Incomplete
675            }
676        } else {
677            RecoveryState::Disabled
678        })
679    }
680
681    async fn update_recovery_state(&self) -> Result<()> {
682        let new_state = self.check_recovery_state().await?;
683        let old_state = self.client.inner.e2ee.recovery_state.set(new_state);
684
685        if new_state != old_state {
686            info!("Recovery state changed from {old_state:?} to {new_state:?}");
687        }
688
689        Ok(())
690    }
691
692    async fn update_recovery_state_no_fail(&self) {
693        if let Err(e) = self.update_recovery_state().await {
694            error!("Couldn't update the recovery state: {e:?}");
695        }
696    }
697
698    #[instrument]
699    async fn secret_send_event_handler(_: ToDeviceSecretSendEvent, client: Client) {
700        client.encryption().recovery().update_recovery_state_no_fail().await;
701    }
702
703    #[instrument]
704    async fn default_key_event_handler(_: SecretStorageDefaultKeyEvent, client: Client) {
705        client.encryption().recovery().update_recovery_state_no_fail().await;
706    }
707
708    /// Listen for changes in the [`BackupState`] and, if necessary, update the
709    /// [`RecoveryState`] accordingly.
710    ///
711    /// This should not be called directly, this method is put into a background
712    /// task which is always listening for updates in the [`BackupState`].
713    pub(crate) fn update_state_after_backup_state_change(
714        client: &Client,
715    ) -> impl Future<Output = ()> + use<> {
716        let mut stream = client.encryption().backups().state_stream();
717        let weak = WeakClient::from_client(client);
718
719        async move {
720            while let Some(update) = stream.next().await {
721                if let Some(client) = weak.get() {
722                    match update {
723                        Ok(update) => {
724                            // The recovery state only cares about these two states, the
725                            // intermediate states that tell us that
726                            // we're creating a backup are not interesting.
727                            if matches!(update, BackupState::Unknown | BackupState::Enabled) {
728                                client
729                                    .encryption()
730                                    .recovery()
731                                    .update_recovery_state_no_fail()
732                                    .await;
733                            }
734                        }
735                        Err(_) => {
736                            // We missed some updates, let's update our state in case something
737                            // changed.
738                            client.encryption().recovery().update_recovery_state_no_fail().await;
739                        }
740                    }
741                } else {
742                    break;
743                }
744            }
745        }
746    }
747
748    #[instrument(skip_all)]
749    pub(crate) async fn update_state_after_keys_query(&self, response: &get_keys::v3::Response) {
750        if let Some(user_id) = self.client.user_id()
751            && response.master_keys.contains_key(user_id)
752        {
753            // TODO: This is unnecessarily expensive, we could let the crypto crate notify
754            // us that our private keys got erased... But, the OlmMachine
755            // gets recreated and... You know the drill by now...
756            self.update_recovery_state_no_fail().await;
757        }
758    }
759}
760
761/// A helper struct that handles continues resetting a user's crypto identity
762/// after authentication was required and re-enabling backups (if necessary) at
763/// the end of it
764#[derive(Debug)]
765pub struct IdentityResetHandle {
766    client: Client,
767    cross_signing_reset_handle: CrossSigningResetHandle,
768}
769
770impl IdentityResetHandle {
771    /// Get the underlying [`CrossSigningResetAuthType`] this identity reset
772    /// process is using.
773    pub fn auth_type(&self) -> &CrossSigningResetAuthType {
774        &self.cross_signing_reset_handle.auth_type
775    }
776
777    /// This method will retry to upload the device keys after the previous try
778    /// failed due to required authentication
779    pub async fn reset(&self, auth: Option<AuthData>) -> Result<()> {
780        self.cross_signing_reset_handle.auth(auth).await?;
781
782        if self.client.encryption().recovery().should_auto_enable_backups().await? {
783            self.client.encryption().recovery().enable_backup().await?;
784        }
785
786        Ok(())
787    }
788
789    /// Cancel the ongoing identity reset process
790    pub async fn cancel(&self) {
791        self.cross_signing_reset_handle.cancel().await;
792    }
793}
794
795// The http mocking library is not supported for wasm32
796#[cfg(all(test, not(target_family = "wasm")))]
797pub(crate) mod tests {
798    use assert_matches::assert_matches;
799    use matrix_sdk_test::async_test;
800    use ruma::{
801        events::{secret::request::SecretName, secret_storage::key},
802        serde::Base64,
803    };
804    use serde_json::json;
805
806    use super::Recovery;
807    use crate::{
808        encryption::{recovery::types::RecoveryError, secret_storage::SecretStorageError},
809        test_utils::mocks::MatrixMockServer,
810    };
811
812    // If recovery fails due when importing a secret from secret storage, we
813    // should get the `ImportError` variant of `SecretStorageError`.  The
814    // following tests test different import failures.
815    #[async_test]
816    async fn test_recover_with_no_cross_signing_key() {
817        let server = MatrixMockServer::new().await;
818        let client = server.client_builder().build().await;
819
820        server
821            .mock_get_secret_storage_key()
822            .ok(
823                client.user_id().unwrap(),
824                &key::SecretStorageKeyEventContent::new(
825                    "abc".into(),
826                    key::SecretStorageEncryptionAlgorithm::V1AesHmacSha2(
827                        key::SecretStorageV1AesHmacSha2Properties::new(
828                            Some(Base64::parse("xv5b6/p3ExEw++wTyfSHEg==").unwrap()),
829                            Some(
830                                Base64::parse("ujBBbXahnTAMkmPUX2/0+VTfUh63pGyVRuBcDMgmJC8=")
831                                    .unwrap(),
832                            ),
833                        ),
834                    ),
835                ),
836            )
837            .mount()
838            .await;
839        server
840            .mock_get_default_secret_storage_key()
841            .ok(client.user_id().unwrap(), "abc")
842            .mount()
843            .await;
844
845        let recovery = Recovery { client };
846
847        let ret =
848            recovery.recover("EsTj 3yST y93F SLpB jJsz eAXc 2XzA ygD3 w69H fGaN TKBj jXEd").await;
849
850        assert_matches!(
851            ret,
852            Err(RecoveryError::SecretStorage(SecretStorageError::ImportError {
853                name: SecretName::CrossSigningMasterKey,
854                error: _
855            }))
856        );
857    }
858
859    #[async_test]
860    async fn test_recover_with_invalid_cross_signing_key() {
861        let server = MatrixMockServer::new().await;
862        let client = server.client_builder().build().await;
863
864        server
865            .mock_get_secret_storage_key()
866            .ok(
867                client.user_id().unwrap(),
868                &key::SecretStorageKeyEventContent::new(
869                    "abc".into(),
870                    key::SecretStorageEncryptionAlgorithm::V1AesHmacSha2(
871                        key::SecretStorageV1AesHmacSha2Properties::new(
872                            Some(Base64::parse("xv5b6/p3ExEw++wTyfSHEg==").unwrap()),
873                            Some(
874                                Base64::parse("ujBBbXahnTAMkmPUX2/0+VTfUh63pGyVRuBcDMgmJC8=")
875                                    .unwrap(),
876                            ),
877                        ),
878                    ),
879                ),
880            )
881            .mount()
882            .await;
883        server
884            .mock_get_default_secret_storage_key()
885            .ok(client.user_id().unwrap(), "abc")
886            .mount()
887            .await;
888        server.mock_get_master_signing_key().ok(client.user_id().unwrap(), json!({})).mount().await;
889
890        let recovery = Recovery { client };
891
892        let ret =
893            recovery.recover("EsTj 3yST y93F SLpB jJsz eAXc 2XzA ygD3 w69H fGaN TKBj jXEd").await;
894
895        assert_matches!(
896            ret,
897            Err(RecoveryError::SecretStorage(SecretStorageError::ImportError {
898                name: SecretName::CrossSigningMasterKey,
899                error: _
900            }))
901        );
902    }
903
904    #[async_test]
905    async fn test_recover_with_undecryptable_cross_signing_key() {
906        let server = MatrixMockServer::new().await;
907        let client = server.client_builder().build().await;
908
909        server
910            .mock_get_secret_storage_key()
911            .ok(
912                client.user_id().unwrap(),
913                &key::SecretStorageKeyEventContent::new(
914                    "abc".into(),
915                    key::SecretStorageEncryptionAlgorithm::V1AesHmacSha2(
916                        key::SecretStorageV1AesHmacSha2Properties::new(
917                            Some(Base64::parse("xv5b6/p3ExEw++wTyfSHEg==").unwrap()),
918                            Some(
919                                Base64::parse("ujBBbXahnTAMkmPUX2/0+VTfUh63pGyVRuBcDMgmJC8=")
920                                    .unwrap(),
921                            ),
922                        ),
923                    ),
924                ),
925            )
926            .mount()
927            .await;
928        server
929            .mock_get_default_secret_storage_key()
930            .ok(client.user_id().unwrap(), "abc")
931            .mount()
932            .await;
933        server
934            .mock_get_master_signing_key()
935            .ok(
936                client.user_id().unwrap(),
937                json!({
938                    "encrypted": {
939                        "abc": {
940                            "iv": "xv5b6/p3ExEw++wTyfSHEg==",
941                            "mac": "ujBBbXahnTAMkmPUX2/0+VTfUh63pGyVRuBcDMgmJC8=",
942                            "ciphertext": "abcd"
943                        }
944                    }
945                }),
946            )
947            .mount()
948            .await;
949
950        let recovery = Recovery { client };
951
952        let ret =
953            recovery.recover("EsTj 3yST y93F SLpB jJsz eAXc 2XzA ygD3 w69H fGaN TKBj jXEd").await;
954
955        assert_matches!(
956            ret,
957            Err(RecoveryError::SecretStorage(SecretStorageError::ImportError {
958                name: SecretName::CrossSigningMasterKey,
959                error: _
960            }))
961        );
962    }
963}