rune_alloc/option/
ext.rs

1use crate::clone::TryClone;
2use crate::error::Error;
3
4/// Extensions to `Option<T>`.
5pub trait OptionExt<T> {
6    /// Maps an `Option<&T>` to an `Option<T>` by cloning the contents of the
7    /// option.
8    ///
9    /// # Examples
10    ///
11    /// ```
12    /// use rune::alloc::prelude::*;
13    ///
14    /// let x = 12u32;
15    /// let opt_x = Some(&x);
16    /// assert_eq!(opt_x, Some(&12));
17    /// let cloned = opt_x.try_cloned()?;
18    /// assert_eq!(cloned, Some(12u32));
19    /// # Ok::<_, rune::alloc::Error>(())
20    /// ```
21    #[must_use = "`self` will be dropped if the result is not used"]
22    fn try_cloned(self) -> Result<Option<T>, Error>;
23}
24
25impl<T> OptionExt<T> for Option<&T>
26where
27    T: TryClone,
28{
29    fn try_cloned(self) -> Result<Option<T>, Error> {
30        Ok(match self {
31            Some(value) => Some(value.try_clone()?),
32            None => None,
33        })
34    }
35}