#[repr(C)]
pub struct RSmallBox<T, Inline> { /* private fields */ }
Expand description

A box type which stores small values inline as an optimization.

Inline storage

The Inline type parameter is the storage space on the stack (as in inline with the RSmallBox struct) where small values get stored,instead of storing them on the heap.

It has to have an alignment greater than or equal to the value being stored, otherwise storing the value on the heap.

To ensure that the inline storage has enough alignemnt you can use one of the AlignTo* types from the (reexported) alignment submodule, or from abi_stable::inline_storage::alignment.

Examples

In a nonexhaustive enum

Using an RSmallBox to store a generic type in a nonexhaustive enum.

use abi_stable::{reexports::SelfOps, sabi_types::RSmallBox, std_types::RString, StableAbi};

#[repr(u8)]
#[derive(StableAbi, Debug, Clone, PartialEq)]
#[sabi(kind(WithNonExhaustive(
    // Determines the maximum size of this enum in semver compatible versions.
    // This is 7 usize large because:
    //    - The enum discriminant occupies 1 usize(because the enum is usize aligned).
    //    - RSmallBox<T,[usize;4]>: is 6 usize large
    size = [usize;7],
    // Determines the traits that are required when wrapping this enum in NonExhaustive,
    // and are then available with it.
    traits(Debug,Clone,PartialEq),
)))]
#[non_exhaustive]
pub enum SomeEnum<T> {
    Foo,
    Bar,
    // This variant was added in a newer (compatible) version of the library.
    Baz(RSmallBox<T, [usize; 4]>),
}

impl<T> SomeEnum<T> {
    pub fn is_inline(&self) -> bool {
        match self {
            SomeEnum::Foo => true,
            SomeEnum::Bar => true,
            SomeEnum::Baz(rsbox) => RSmallBox::is_inline(rsbox),
            _ => true,
        }
    }

    pub fn is_heap_allocated(&self) -> bool {
        !self.is_inline()
    }
}

#[repr(C)]
#[derive(StableAbi, Debug, Clone, PartialEq)]
pub struct FullName {
    pub name: RString,
    pub surname: RString,
}


let rstring = "Oh boy!"
    .piped(RString::from)
    .piped(RSmallBox::new)
    .piped(SomeEnum::Baz);

let full_name = FullName {
    name: "R__e".into(),
    surname: "L_____e".into(),
}
.piped(RSmallBox::new)
.piped(SomeEnum::Baz);

assert!(rstring.is_inline());
assert!(full_name.is_heap_allocated());

Trying out different Inline type parameters

This example demonstrates how changing the Inline type parameter can change whether an RString is stored inline or on the heap.

use abi_stable::{
    inline_storage::alignment::AlignToUsize, sabi_types::RSmallBox, std_types::RString,
    StableAbi,
};

use std::mem;

type JustRightInlineBox<T> = RSmallBox<T, AlignToUsize<[u8; mem::size_of::<usize>() * 4]>>;

let string = RString::from("What is that supposed to mean?");

let small = RSmallBox::<_, [usize; 3]>::new(string.clone());
let medium = RSmallBox::<_, [usize; 4]>::new(string.clone());
let large = RSmallBox::<_, [usize; 16]>::new(string.clone());
let not_enough_alignment = RSmallBox::<_, [u8; 64]>::new(string.clone());
let just_right = JustRightInlineBox::new(string.clone());

assert!(RSmallBox::is_heap_allocated(&small));
assert!(RSmallBox::is_inline(&medium));
assert!(RSmallBox::is_inline(&large));
assert!(RSmallBox::is_heap_allocated(&not_enough_alignment));
assert!(RSmallBox::is_inline(&just_right));

Implementations§

source§

impl<T, Inline> RSmallBox<T, Inline>

source

pub fn new(value: T) -> RSmallBox<T, Inline>
where Inline: InlineStorage,

Constructs this RSmallBox from a value.

Example
use abi_stable::{sabi_types::RSmallBox, std_types::RString};

let xbox = RSmallBox::<_, [usize; 4]>::new(RString::from("one"));
source

pub fn as_mut_ptr(this: &mut Self) -> *mut T

Gets a raw pointer into the underlying data.

Example
use abi_stable::{sabi_types::RSmallBox, std_types::RString};

let mut play = RSmallBox::<_, [usize; 4]>::new(RString::from("station"));

let play_addr = &mut play as *mut RSmallBox<_, _> as usize;
let heap_addr = RSmallBox::as_mut_ptr(&mut play) as usize;

assert_eq!(play_addr, heap_addr);
source

pub fn as_ptr(this: &Self) -> *const T

Gets a raw pointer into the underlying data.

Example
use abi_stable::{reexports::SelfOps, sabi_types::RSmallBox, std_types::RVec};

let mut generations = vec![1, 2, 3, 4, 5, 6, 7, 8]
    .piped(RVec::from)
    .piped(RSmallBox::<_, [usize; 2]>::new);

let generations_addr = &generations as *const RSmallBox<_, _> as usize;
let heap_addr = RSmallBox::as_ptr(&generations) as usize;

assert_ne!(generations_addr, heap_addr);
source

pub fn from_move_ptr(from_ptr: MovePtr<'_, T>) -> Self
where Inline: InlineStorage,

Constructs this RSmallBox from a MovePtr.

Example
use abi_stable::{pointer_trait::OwnedPointer, sabi_types::RSmallBox, std_types::RBox};

let rbox = RBox::new(1000_u64);
let rsbox: RSmallBox<u64, [u64; 1]> =
    rbox.in_move_ptr(|x| RSmallBox::<u64, [u64; 1]>::from_move_ptr(x));

assert_eq!(*rsbox, 1000_u64);
source

pub fn move_<Inline2>(this: Self) -> RSmallBox<T, Inline2>
where Inline2: InlineStorage,

Converts this RSmallBox into another one with a differnet inline size.

Example
use abi_stable::sabi_types::RSmallBox;

let old = RSmallBox::<u64, [u8; 4]>::new(599_u64);
assert!(!RSmallBox::is_inline(&old));

let new = RSmallBox::move_::<[u64; 1]>(old);
assert!(RSmallBox::is_inline(&new));
assert_eq!(*new, 599_u64);
source

pub fn is_inline(this: &Self) -> bool

Queries whether the value is stored inline.

Example
use abi_stable::{sabi_types::RSmallBox, std_types::RString};

let heap = RSmallBox::<u64, [u8; 4]>::new(599_u64);
assert!(!RSmallBox::is_inline(&heap));

let inline = RSmallBox::<RString, [usize; 4]>::new("hello".into());
assert!(RSmallBox::is_inline(&inline));
source

pub fn is_heap_allocated(this: &Self) -> bool

Queries whether the value is stored on the heap.

Example
use abi_stable::{sabi_types::RSmallBox, std_types::RHashMap};

let heap = RSmallBox::<_, [u8; 4]>::new(String::new());
assert!(RSmallBox::is_heap_allocated(&heap));

let inline = RSmallBox::<_, [usize; 3]>::new(RHashMap::<u8, ()>::new());
assert!(!RSmallBox::is_heap_allocated(&inline));
source

pub fn into_inner(this: Self) -> T

Unwraps this pointer into its owned value.

Example
use abi_stable::sabi_types::RSmallBox;

let rbox = RSmallBox::<_, [usize; 3]>::new(vec![0, 1, 2]);
assert_eq!(RSmallBox::into_inner(rbox), vec![0, 1, 2]);

Trait Implementations§

source§

impl<T, Inline> AsMutPtr for RSmallBox<T, Inline>

source§

fn as_mut_ptr(&mut self) -> *mut T

Gets a mutable raw pointer to the value that this points to.
source§

fn as_rmut(&mut self) -> RMut<'_, Self::PtrTarget>

Converts this pointer to an RRef.
source§

impl<T, Inline> AsPtr for RSmallBox<T, Inline>

source§

fn as_ptr(&self) -> *const T

Gets a const raw pointer to the value that this points to.
source§

fn as_rref(&self) -> RRef<'_, Self::PtrTarget>

Converts this pointer to an RRef.
source§

impl<T, O, Inline> CanTransmuteElement<O> for RSmallBox<T, Inline>

§

type TransmutedPtr = RSmallBox<O, Inline>

The type of the pointer after it’s element type has been changed.
source§

unsafe fn transmute_element_(self) -> Self::TransmutedPtr

Transmutes the element type of this pointer.. Read more
source§

impl<T, Inline> Clone for RSmallBox<T, Inline>
where T: Clone, Inline: InlineStorage,

source§

fn clone(&self) -> Self

Returns a copy of the value. Read more
1.0.0 · source§

fn clone_from(&mut self, source: &Self)

Performs copy-assignment from source. Read more
source§

impl<T, Inline> Debug for RSmallBox<T, Inline>
where T: Debug, Inline: Debug,

source§

fn fmt(&self, f: &mut Formatter<'_>) -> Result

Formats the value using the given formatter. Read more
source§

impl<T, Inline> Default for RSmallBox<T, Inline>
where T: Default, Inline: InlineStorage,

source§

fn default() -> Self

Returns the “default value” for a type. Read more
source§

impl<T, Inline> Deref for RSmallBox<T, Inline>

§

type Target = T

The resulting type after dereferencing.
source§

fn deref(&self) -> &T

Dereferences the value.
source§

impl<T, Inline> DerefMut for RSmallBox<T, Inline>

source§

fn deref_mut(&mut self) -> &mut T

Mutably dereferences the value.
source§

impl<'de, T, Inline> Deserialize<'de> for RSmallBox<T, Inline>
where Inline: InlineStorage, T: Deserialize<'de>,

source§

fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
where D: Deserializer<'de>,

Deserialize this value from the given Serde deserializer. Read more
source§

impl<T, Inline> Display for RSmallBox<T, Inline>
where T: Display,

source§

fn fmt(&self, f: &mut Formatter<'_>) -> Result

Formats the value using the given formatter. Read more
source§

impl<T, Inline> Drop for RSmallBox<T, Inline>

source§

fn drop(&mut self)

Executes the destructor for this type. Read more
source§

impl<T, Inline> From<RBox<T>> for RSmallBox<T, Inline>
where Inline: InlineStorage,

Converts an RBox into an RSmallBox,currently this allocates.

source§

fn from(this: RBox<T>) -> Self

Converts to this type from the input type.
source§

impl<T, Inline> From<RSmallBox<T, Inline>> for RBox<T>
where Inline: InlineStorage,

Converts a RSmallBox into an RBox,currently this allocates.

source§

fn from(this: RSmallBox<T, Inline>) -> RBox<T>

Converts to this type from the input type.
source§

impl<T, Inline> GetPointerKind for RSmallBox<T, Inline>

§

type Kind = PK_SmartPointer

The kind of the pointer. Read more
§

type PtrTarget = T

What this pointer points to. Read more
source§

const KIND: PointerKind = <Self::Kind as PointerKindVariant>::VALUE

The value-level version of the Kind associated type. Read more
source§

impl<T, Inline> GetStaticEquivalent_ for RSmallBox<T, Inline>

§

type StaticEquivalent = _static_RSmallBox<<T as GetStaticEquivalent_>::StaticEquivalent, <Inline as GetStaticEquivalent_>::StaticEquivalent>

The 'static equivalent of Self
source§

impl<T, Inline> Hash for RSmallBox<T, Inline>
where T: Hash, Inline: Hash,

source§

fn hash<H>(&self, state: &mut H)
where H: Hasher,

Feeds this value into the given Hasher. Read more
1.3.0 · source§

fn hash_slice<H>(data: &[Self], state: &mut H)
where H: Hasher, Self: Sized,

Feeds a slice of this type into the given Hasher. Read more
source§

impl<T, Inline> Ord for RSmallBox<T, Inline>
where T: Ord, Inline: Ord,

source§

fn cmp(&self, other: &Self) -> Ordering

This method returns an Ordering between self and other. Read more
1.21.0 · source§

fn max(self, other: Self) -> Self
where Self: Sized,

Compares and returns the maximum of two values. Read more
1.21.0 · source§

fn min(self, other: Self) -> Self
where Self: Sized,

Compares and returns the minimum of two values. Read more
1.50.0 · source§

fn clamp(self, min: Self, max: Self) -> Self
where Self: Sized + PartialOrd,

Restrict a value to a certain interval. Read more
source§

impl<T, Inline> OwnedPointer for RSmallBox<T, Inline>

source§

unsafe fn get_move_ptr(this: &mut ManuallyDrop<Self>) -> MovePtr<'_, T>

Gets a move pointer to the contents of this pointer. Read more
source§

unsafe fn drop_allocation(this: &mut ManuallyDrop<Self>)

Deallocates the pointer without dropping its owned contents. Read more
source§

fn with_move_ptr<F, R>(this: ManuallyDrop<Self>, func: F) -> R
where F: FnOnce(MovePtr<'_, Self::PtrTarget>) -> R,

Runs a callback with the contents of this pointer, and then deallocates it. Read more
source§

fn in_move_ptr<F, R>(self, func: F) -> R
where F: FnOnce(MovePtr<'_, Self::PtrTarget>) -> R,

Runs a callback with the contents of this pointer, and then deallocates it. Read more
source§

impl<T, Inline> PartialEq for RSmallBox<T, Inline>
where T: PartialEq, Inline: PartialEq,

source§

fn eq(&self, other: &Self) -> bool

This method tests for self and other values to be equal, and is used by ==.
1.0.0 · source§

fn ne(&self, other: &Rhs) -> bool

This method tests for !=. The default implementation is almost always sufficient, and should not be overridden without very good reason.
source§

impl<T, Inline> PartialOrd for RSmallBox<T, Inline>
where T: PartialOrd, Inline: PartialOrd,

source§

fn partial_cmp(&self, other: &Self) -> Option<Ordering>

This method returns an ordering between self and other values if one exists. Read more
1.0.0 · source§

fn lt(&self, other: &Rhs) -> bool

This method tests less than (for self and other) and is used by the < operator. Read more
1.0.0 · source§

fn le(&self, other: &Rhs) -> bool

This method tests less than or equal to (for self and other) and is used by the <= operator. Read more
1.0.0 · source§

fn gt(&self, other: &Rhs) -> bool

This method tests greater than (for self and other) and is used by the > operator. Read more
1.0.0 · source§

fn ge(&self, other: &Rhs) -> bool

This method tests greater than or equal to (for self and other) and is used by the >= operator. Read more
source§

impl<T, Inline> Serialize for RSmallBox<T, Inline>
where T: Serialize,

source§

fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where S: Serializer,

Serialize this value into the given Serde serializer. Read more
source§

impl<T, Inline> StableAbi for RSmallBox<T, Inline>

§

type IsNonZeroType = False

Whether this type has a single invalid bit-pattern. Read more
source§

const LAYOUT: &'static TypeLayout = _

The layout of the type provided by implementors.
source§

const ABI_CONSTS: AbiConsts = _

const-equivalents of the associated types.
source§

impl<T, Inline> Eq for RSmallBox<T, Inline>
where T: Eq, Inline: Eq,

source§

impl<T: Send, Inline> Send for RSmallBox<T, Inline>

source§

impl<T: Sync, Inline> Sync for RSmallBox<T, Inline>

Auto Trait Implementations§

§

impl<T, Inline> RefUnwindSafe for RSmallBox<T, Inline>
where Inline: RefUnwindSafe, T: RefUnwindSafe,

§

impl<T, Inline> Unpin for RSmallBox<T, Inline>
where Inline: Unpin, T: Unpin,

§

impl<T, Inline> UnwindSafe for RSmallBox<T, Inline>
where Inline: UnwindSafe, T: UnwindSafe + RefUnwindSafe,

Blanket Implementations§

source§

impl<T> AlignerFor<1> for T

§

type Aligner = AlignTo1<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<1024> for T

§

type Aligner = AlignTo1024<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<128> for T

§

type Aligner = AlignTo128<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<16> for T

§

type Aligner = AlignTo16<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<16384> for T

§

type Aligner = AlignTo16384<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<2> for T

§

type Aligner = AlignTo2<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<2048> for T

§

type Aligner = AlignTo2048<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<256> for T

§

type Aligner = AlignTo256<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<32> for T

§

type Aligner = AlignTo32<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<32768> for T

§

type Aligner = AlignTo32768<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<4> for T

§

type Aligner = AlignTo4<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<4096> for T

§

type Aligner = AlignTo4096<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<512> for T

§

type Aligner = AlignTo512<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<64> for T

§

type Aligner = AlignTo64<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<8> for T

§

type Aligner = AlignTo8<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> AlignerFor<8192> for T

§

type Aligner = AlignTo8192<T>

The AlignTo* type which aligns Self to ALIGNMENT.
source§

impl<T> Any for T
where T: 'static + ?Sized,

source§

fn type_id(&self) -> TypeId

Gets the TypeId of self. Read more
source§

impl<T> Borrow<T> for T
where T: ?Sized,

source§

fn borrow(&self) -> &T

Immutably borrows from an owned value. Read more
source§

impl<T> BorrowMut<T> for T
where T: ?Sized,

source§

fn borrow_mut(&mut self) -> &mut T

Mutably borrows from an owned value. Read more
source§

impl<T> From<T> for T

source§

fn from(t: T) -> T

Returns the argument unchanged.

source§

impl<T, U> Into<U> for T
where U: From<T>,

source§

fn into(self) -> U

Calls U::from(self).

That is, this conversion is whatever the implementation of From<T> for U chooses to do.

source§

impl<'a, T> RCowCompatibleRef<'a> for T
where T: Clone + 'a,

§

type RefC = &'a T

The (preferably) ffi-safe equivalent of &Self.
§

type ROwned = T

The owned version of Self::RefC.
source§

fn as_c_ref(from: &'a T) -> <T as RCowCompatibleRef<'a>>::RefC

Converts a reference to an FFI-safe type
source§

fn as_rust_ref(from: <T as RCowCompatibleRef<'a>>::RefC) -> &'a T

Converts an FFI-safe type to a reference
source§

impl<S> ROExtAcc for S

source§

fn f_get<F>(&self, offset: FieldOffset<S, F, Aligned>) -> &F

Gets a reference to a field, determined by offset. Read more
source§

fn f_get_mut<F>(&mut self, offset: FieldOffset<S, F, Aligned>) -> &mut F

Gets a muatble reference to a field, determined by offset. Read more
source§

fn f_get_ptr<F, A>(&self, offset: FieldOffset<S, F, A>) -> *const F

Gets a const pointer to a field, the field is determined by offset. Read more
source§

fn f_get_mut_ptr<F, A>(&mut self, offset: FieldOffset<S, F, A>) -> *mut F

Gets a mutable pointer to a field, determined by offset. Read more
source§

impl<S> ROExtOps<Aligned> for S

source§

fn f_replace<F>(&mut self, offset: FieldOffset<S, F, Aligned>, value: F) -> F

Replaces a field (determined by offset) with value, returning the previous value of the field. Read more
source§

fn f_swap<F>(&mut self, offset: FieldOffset<S, F, Aligned>, right: &mut S)

Swaps a field (determined by offset) with the same field in right. Read more
source§

fn f_get_copy<F>(&self, offset: FieldOffset<S, F, Aligned>) -> F
where F: Copy,

Gets a copy of a field (determined by offset). The field is determined by offset. Read more
source§

impl<S> ROExtOps<Unaligned> for S

source§

fn f_replace<F>(&mut self, offset: FieldOffset<S, F, Unaligned>, value: F) -> F

Replaces a field (determined by offset) with value, returning the previous value of the field. Read more
source§

fn f_swap<F>(&mut self, offset: FieldOffset<S, F, Unaligned>, right: &mut S)

Swaps a field (determined by offset) with the same field in right. Read more
source§

fn f_get_copy<F>(&self, offset: FieldOffset<S, F, Unaligned>) -> F
where F: Copy,

Gets a copy of a field (determined by offset). The field is determined by offset. Read more
source§

impl<T> SelfOps for T
where T: ?Sized,

source§

fn eq_id(&self, other: &Self) -> bool

Compares the address of self with the address of other. Read more
source§

fn piped<F, U>(self, f: F) -> U
where F: FnOnce(Self) -> U, Self: Sized,

Emulates the pipeline operator, allowing method syntax in more places. Read more
source§

fn piped_ref<'a, F, U>(&'a self, f: F) -> U
where F: FnOnce(&'a Self) -> U,

The same as piped except that the function takes &Self Useful for functions that take &Self instead of Self. Read more
source§

fn piped_mut<'a, F, U>(&'a mut self, f: F) -> U
where F: FnOnce(&'a mut Self) -> U,

The same as piped, except that the function takes &mut Self. Useful for functions that take &mut Self instead of Self.
source§

fn mutated<F>(self, f: F) -> Self
where F: FnOnce(&mut Self), Self: Sized,

Mutates self using a closure taking self by mutable reference, passing it along the method chain. Read more
source§

fn observe<F>(self, f: F) -> Self
where F: FnOnce(&Self), Self: Sized,

Observes the value of self, passing it along unmodified. Useful in long method chains. Read more
source§

fn into_<T>(self) -> T
where Self: Into<T>,

Performs a conversion with Into. using the turbofish .into_::<_>() syntax. Read more
source§

fn as_ref_<T>(&self) -> &T
where Self: AsRef<T>, T: ?Sized,

Performs a reference to reference conversion with AsRef, using the turbofish .as_ref_::<_>() syntax. Read more
source§

fn as_mut_<T>(&mut self) -> &mut T
where Self: AsMut<T>, T: ?Sized,

Performs a mutable reference to mutable reference conversion with AsMut, using the turbofish .as_mut_::<_>() syntax. Read more
source§

fn drop_(self)
where Self: Sized,

Drops self using method notation. Alternative to std::mem::drop. Read more
source§

impl<T> ToOwned for T
where T: Clone,

§

type Owned = T

The resulting type after obtaining ownership.
source§

fn to_owned(&self) -> T

Creates owned data from borrowed data, usually by cloning. Read more
source§

fn clone_into(&self, target: &mut T)

Uses borrowed data to replace owned data, usually by cloning. Read more
source§

impl<T> ToString for T
where T: Display + ?Sized,

source§

default fn to_string(&self) -> String

Converts the given value to a String. Read more
source§

impl<This> TransmuteElement for This
where This: ?Sized,

source§

unsafe fn transmute_element<T>( self ) -> <Self as CanTransmuteElement<T>>::TransmutedPtr
where Self: CanTransmuteElement<T>,

Transmutes the element type of this pointer.. Read more
source§

impl<T, U> TryFrom<U> for T
where U: Into<T>,

§

type Error = Infallible

The type returned in the event of a conversion error.
source§

fn try_from(value: U) -> Result<T, <T as TryFrom<U>>::Error>

Performs the conversion.
source§

impl<T, U> TryInto<U> for T
where U: TryFrom<T>,

§

type Error = <U as TryFrom<T>>::Error

The type returned in the event of a conversion error.
source§

fn try_into(self) -> Result<U, <U as TryFrom<T>>::Error>

Performs the conversion.
source§

impl<T> TypeIdentity for T
where T: ?Sized,

§

type Type = T

This is always Self.
source§

fn into_type(self) -> Self::Type
where Self: Sized, Self::Type: Sized,

Converts a value back to the original type.
source§

fn as_type(&self) -> &Self::Type

Converts a reference back to the original type.
source§

fn as_type_mut(&mut self) -> &mut Self::Type

Converts a mutable reference back to the original type.
source§

fn into_type_box(self: Box<Self>) -> Box<Self::Type>

Converts a box back to the original type.
source§

fn into_type_arc(this: Arc<Self>) -> Arc<Self::Type>

Converts an Arc back to the original type. Read more
source§

fn into_type_rc(this: Rc<Self>) -> Rc<Self::Type>

Converts an Rc back to the original type. Read more
source§

fn from_type(this: Self::Type) -> Self
where Self: Sized, Self::Type: Sized,

Converts a value back to the original type.
source§

fn from_type_ref(this: &Self::Type) -> &Self

Converts a reference back to the original type.
source§

fn from_type_mut(this: &mut Self::Type) -> &mut Self

Converts a mutable reference back to the original type.
source§

fn from_type_box(this: Box<Self::Type>) -> Box<Self>

Converts a box back to the original type.
source§

fn from_type_arc(this: Arc<Self::Type>) -> Arc<Self>

Converts an Arc back to the original type.
source§

fn from_type_rc(this: Rc<Self::Type>) -> Rc<Self>

Converts an Rc back to the original type.
source§

impl<T> DeserializeOwned for T
where T: for<'de> Deserialize<'de>,

source§

impl<This> ValidTag_Bounds for This
where This: Debug + Clone + PartialEq,