pub struct Yoke<Y: for<'a> Yokeable<'a>, C> { /* private fields */ }Expand description
A Cow-like borrowed object “yoked” to its backing data.
This allows things like zero copy deserialized data to carry around shared references to their backing buffer, by “erasing” their static lifetime and turning it into a dynamically managed one.
Y (the Yokeable) is the object containing the references,
and will typically be of the form Foo<'static>. The 'static is
not the actual lifetime of the data, rather it is a convenient way to mark the
erased lifetime and make it dynamic.
C is the “cart”, which Y may contain references to. After the yoke is constructed,
the cart serves little purpose except to guarantee that Y’s references remain valid
for as long as the yoke remains in memory (by calling the destructor at the appropriate moment).
The primary constructor for Yoke is Yoke::attach_to_cart(). Several variants of that
constructor are provided to serve numerous types of call sites and Yoke signatures.
The key behind this type is Yoke::get(), where calling .get() on a type like
Yoke<Cow<'static, str>, _> will get you a short-lived &'a Cow<'a, str>, restricted to the
lifetime of the borrow used during .get(). This is entirely safe since the Cow borrows from
the cart type C, which cannot be interfered with as long as the Yoke is borrowed by .get (). .get() protects access by essentially reifying the erased lifetime to a safe local one
when necessary.
Furthermore, there are various .map_project() methods that allow turning a Yoke
into another Yoke containing a different type that may contain elements of the original yoked
value. See the Yoke::map_project() docs for more details.
In general, C is a concrete type, but it is also possible for it to be a trait object.
§Example
For example, we can use this to store zero-copy deserialized data in a cache:
fn load_object(filename: &str) -> Yoke<Cow<'static, str>, Rc<[u8]>> {
let rc: Rc<[u8]> = load_from_cache(filename);
Yoke::<Cow<'static, str>, Rc<[u8]>>::attach_to_cart(rc, |data: &[u8]| {
// essentially forcing a #[serde(borrow)]
Cow::Borrowed(bincode::deserialize(data).unwrap())
})
}
let yoke = load_object("filename.bincode");
assert_eq!(&**yoke.get(), "hello");
assert!(matches!(yoke.get(), &Cow::Borrowed(_)));Implementations§
Source§impl<Y: for<'a> Yokeable<'a>, C: StableDeref> Yoke<Y, C>
impl<Y: for<'a> Yokeable<'a>, C: StableDeref> Yoke<Y, C>
Sourcepub fn attach_to_cart<F>(cart: C, f: F) -> Self
pub fn attach_to_cart<F>(cart: C, f: F) -> Self
Construct a Yoke by yokeing an object to a cart in a closure.
The closure can read and write data outside of its scope, but data it returns may borrow only from the argument passed to the closure.
See also Yoke::try_attach_to_cart() to return a Result from the closure.
Call sites for this function may not compile pre-1.61; if this still happens, use
Yoke::attach_to_cart_badly() and file a bug.
§Examples
fn load_object(filename: &str) -> Yoke<Cow<'static, str>, Rc<[u8]>> {
let rc: Rc<[u8]> = load_from_cache(filename);
Yoke::<Cow<'static, str>, Rc<[u8]>>::attach_to_cart(rc, |data: &[u8]| {
// essentially forcing a #[serde(borrow)]
Cow::Borrowed(bincode::deserialize(data).unwrap())
})
}
let yoke: Yoke<Cow<str>, _> = load_object("filename.bincode");
assert_eq!(&**yoke.get(), "hello");
assert!(matches!(yoke.get(), &Cow::Borrowed(_)));Write the number of consumed bytes to a local variable:
fn load_object(
filename: &str,
) -> (Yoke<Cow<'static, str>, Rc<[u8]>>, usize) {
let rc: Rc<[u8]> = load_from_cache(filename);
let mut bytes_remaining = 0;
let bytes_remaining = &mut bytes_remaining;
let yoke = Yoke::<Cow<'static, str>, Rc<[u8]>>::attach_to_cart(
rc,
|data: &[u8]| {
let mut d = postcard::Deserializer::from_bytes(data);
let output = serde::Deserialize::deserialize(&mut d);
*bytes_remaining = d.finalize().unwrap().len();
Cow::Borrowed(output.unwrap())
},
);
(yoke, *bytes_remaining)
}
let (yoke, bytes_remaining) = load_object("filename.postcard");
assert_eq!(&**yoke.get(), "hello");
assert!(matches!(yoke.get(), &Cow::Borrowed(_)));
assert_eq!(bytes_remaining, 3);Sourcepub fn try_attach_to_cart<E, F>(cart: C, f: F) -> Result<Self, E>
pub fn try_attach_to_cart<E, F>(cart: C, f: F) -> Result<Self, E>
Construct a Yoke by yokeing an object to a cart. If an error occurs in the
deserializer function, the error is passed up to the caller.
Call sites for this function may not compile pre-1.61; if this still happens, use
Yoke::try_attach_to_cart_badly() and file a bug.
Sourcepub fn attach_to_cart_badly(
cart: C,
f: for<'de> fn(&'de <C as Deref>::Target) -> <Y as Yokeable<'de>>::Output,
) -> Self
👎Deprecated
pub fn attach_to_cart_badly( cart: C, f: for<'de> fn(&'de <C as Deref>::Target) -> <Y as Yokeable<'de>>::Output, ) -> Self
This was needed because the pre-1.61 compiler couldn’t always handle the FnOnce trait bound.
Sourcepub fn try_attach_to_cart_badly<E>(
cart: C,
f: for<'de> fn(&'de <C as Deref>::Target) -> Result<<Y as Yokeable<'de>>::Output, E>,
) -> Result<Self, E>
👎Deprecated
pub fn try_attach_to_cart_badly<E>( cart: C, f: for<'de> fn(&'de <C as Deref>::Target) -> Result<<Y as Yokeable<'de>>::Output, E>, ) -> Result<Self, E>
Use Yoke::try_attach_to_cart().
This was needed because the pre-1.61 compiler couldn’t always handle the FnOnce trait bound.
Source§impl<Y: for<'a> Yokeable<'a>, C> Yoke<Y, C>
impl<Y: for<'a> Yokeable<'a>, C> Yoke<Y, C>
Sourcepub fn get<'a>(&'a self) -> &'a <Y as Yokeable<'a>>::Output
pub fn get<'a>(&'a self) -> &'a <Y as Yokeable<'a>>::Output
Obtain a valid reference to the yokeable data
This essentially transforms the lifetime of the internal yokeable data to
be valid.
For example, if you’re working with a Yoke<Cow<'static, T>, C>, this
will return an &'a Cow<'a, T>
§Example
// load_object() defined in the example at the top of this page
let yoke: Yoke<Cow<str>, _> = load_object("filename.bincode");
assert_eq!(yoke.get(), "hello");Sourcepub fn backing_cart(&self) -> &C
pub fn backing_cart(&self) -> &C
Get a reference to the backing cart.
This can be useful when building caches, etc. However, if you plan to store the cart
separately from the yoke, read the note of caution below in Yoke::into_backing_cart.
Sourcepub fn into_backing_cart(self) -> C
pub fn into_backing_cart(self) -> C
Get the backing cart by value, dropping the yokeable object.
Caution: Calling this method could cause information saved in the yokeable object but not the cart to be lost. Use this method only if the yokeable object cannot contain its own information.
§Example
Good example: the yokeable object is only a reference, so no information can be lost.
use yoke::Yoke;
let local_data = "foo".to_owned();
let yoke = Yoke::<&'static str, Box<String>>::attach_to_zero_copy_cart(
Box::new(local_data),
);
assert_eq!(*yoke.get(), "foo");
// Get back the cart
let cart = yoke.into_backing_cart();
assert_eq!(&*cart, "foo");Bad example: information specified in .with_mut() is lost.
use std::borrow::Cow;
use yoke::Yoke;
let local_data = "foo".to_owned();
let mut yoke =
Yoke::<Cow<'static, str>, Box<String>>::attach_to_zero_copy_cart(
Box::new(local_data),
);
assert_eq!(yoke.get(), "foo");
// Override data in the cart
yoke.with_mut(|cow| {
let mut_str = cow.to_mut();
mut_str.clear();
mut_str.push_str("bar");
});
assert_eq!(yoke.get(), "bar");
// Get back the cart
let cart = yoke.into_backing_cart();
assert_eq!(&*cart, "foo"); // WHOOPS!Sourcepub unsafe fn replace_cart<C2>(self, f: impl FnOnce(C) -> C2) -> Yoke<Y, C2>
pub unsafe fn replace_cart<C2>(self, f: impl FnOnce(C) -> C2) -> Yoke<Y, C2>
Unsafe function for replacing the cart with another
This can be used for type-erasing the cart, for example.
§Safety
-
f()must not panic -
References from the yokeable
Yshould still be valid for the lifetime of the returned cart typeC.For the purpose of determining this,
Yokeguarantees that references from the YokeableYinto the cartCwill never be references into its stack data, only heap data protected byStableDeref. This does not necessarily mean thatCimplementsStableDeref, rather that any data referenced byYmust be accessed through aStableDerefimpl on somethingCowns.Concretely, this means that if
C = Option<Rc<T>>,Ymay contain references to theTbut not anything else. -
Lifetimes inside C must not be lengthened, even if they are themselves contravariant. I.e., if C contains an
fn(&'a u8), it cannot be replaced with `fn(&’static u8), even though that is typically safe.
Typically, this means implementing f as something which wraps the inner cart type C.
Yoke only really cares about destructors for its carts so it’s fine to erase other
information about the cart, as long as the backing data will still be destroyed at the
same time.
Sourcepub fn with_mut<'a, F>(&'a mut self, f: F)
pub fn with_mut<'a, F>(&'a mut self, f: F)
Mutate the stored Yokeable data.
If the callback needs to return 'static data, then Yoke::with_mut_return can be
used until the next breaking release of yoke, at which time the callback to this
function will be able to return any 'static data.
See Yokeable::transform_mut() for why this operation is safe.
§Example
This can be used to partially mutate the stored data, provided no new borrowed data is introduced.
#[derive(Yokeable)]
struct Bar<'a> {
numbers: Cow<'a, [u8]>,
string: Cow<'a, str>,
owned: Vec<u8>,
}
// `load_object()` deserializes an object from a file
let mut bar: Yoke<Bar, _> = load_object("filename.bincode");
assert_eq!(bar.get().string, "hello");
assert!(matches!(bar.get().string, Cow::Borrowed(_)));
assert_eq!(&*bar.get().numbers, &[0x68, 0x65, 0x6c, 0x6c, 0x6f]);
assert!(matches!(bar.get().numbers, Cow::Borrowed(_)));
assert_eq!(&*bar.get().owned, &[]);
bar.with_mut(|bar| {
bar.string.to_mut().push_str(" world");
bar.owned.extend_from_slice(&[1, 4, 1, 5, 9]);
});
assert_eq!(bar.get().string, "hello world");
assert!(matches!(bar.get().string, Cow::Owned(_)));
assert_eq!(&*bar.get().owned, &[1, 4, 1, 5, 9]);
// Unchanged and still Cow::Borrowed
assert_eq!(&*bar.get().numbers, &[0x68, 0x65, 0x6c, 0x6c, 0x6f]);
assert!(matches!(bar.get().numbers, Cow::Borrowed(_)));Sourcepub fn with_mut_return<'a, F, R>(&'a mut self, f: F) -> R
pub fn with_mut_return<'a, F, R>(&'a mut self, f: F) -> R
Mutate the stored Yokeable data, and return 'static data (possibly just ()).
See Yokeable::transform_mut() for why this operation is safe, noting that no
'static.
§Will be removed
This method will be removed on the next breaking release of yoke, when the callback of
Yoke::with_mut will gain the ability to return any R: 'static and supersede this
method.
Sourcepub fn wrap_cart_in_option(self) -> Yoke<Y, Option<C>>
pub fn wrap_cart_in_option(self) -> Yoke<Y, Option<C>>
Helper function allowing one to wrap the cart type C in an Option<T>.
Source§impl<Y: for<'a> Yokeable<'a>> Yoke<Y, ()>
impl<Y: for<'a> Yokeable<'a>> Yoke<Y, ()>
Sourcepub fn new_always_owned(yokeable: Y) -> Self
pub fn new_always_owned(yokeable: Y) -> Self
Construct a new Yoke from static data. There will be no
references to cart here since Yokeables are 'static,
this is good for e.g. constructing fully owned
Yokes with no internal borrowing.
This is similar to Yoke::new_owned() but it does not allow you to
mix the Yoke with borrowed data. This is primarily useful
for using Yoke in generic scenarios.
§Example
let owned: Cow<str> = "hello".to_owned().into();
// this yoke can be intermingled with actually-borrowed Yokes
let yoke: Yoke<Cow<str>, ()> = Yoke::new_always_owned(owned);
assert_eq!(yoke.get(), "hello");Sourcepub fn into_yokeable(self) -> Y
pub fn into_yokeable(self) -> Y
Obtain the yokeable out of a Yoke<Y, ()>
For most Yoke types this would be unsafe but it’s
fine for Yoke<Y, ()> since there are no actual internal
references
Source§impl<Y: for<'a> Yokeable<'a>, C> Yoke<Y, Option<C>>
impl<Y: for<'a> Yokeable<'a>, C> Yoke<Y, Option<C>>
Sourcepub const fn new_owned(yokeable: Y) -> Self
pub const fn new_owned(yokeable: Y) -> Self
Construct a new Yoke from static data. There will be no
references to cart here since Yokeables are 'static,
this is good for e.g. constructing fully owned
Yokes with no internal borrowing.
This can be paired with [Yoke:: wrap_cart_in_option()] to mix owned
and borrowed data.
If you do not wish to pair this with borrowed data, Yoke::new_always_owned() can
be used to get a Yoke API on always-owned data.
§Example
let owned: Cow<str> = "hello".to_owned().into();
// this yoke can be intermingled with actually-borrowed Yokes
let yoke: Yoke<Cow<str>, Option<Rc<[u8]>>> = Yoke::new_owned(owned);
assert_eq!(yoke.get(), "hello");Sourcepub fn try_into_yokeable(self) -> Result<Y, Self>
pub fn try_into_yokeable(self) -> Result<Y, Self>
Obtain the yokeable out of a Yoke<Y, Option<C>> if possible.
If the cart is None, this returns Ok, but if the cart is Some,
this returns self as an error.
Source§impl<Y: for<'a> Yokeable<'a>, C: CartablePointerLike> Yoke<Y, Option<C>>
impl<Y: for<'a> Yokeable<'a>, C: CartablePointerLike> Yoke<Y, Option<C>>
Sourcepub fn convert_cart_into_option_pointer(
self,
) -> Yoke<Y, CartableOptionPointer<C>>
pub fn convert_cart_into_option_pointer( self, ) -> Yoke<Y, CartableOptionPointer<C>>
Converts a Yoke<Y, Option<C>> to Yoke<Y, CartableOptionPointer<C>>
for better niche optimization when stored as a field.
§Examples
use std::borrow::Cow;
use yoke::Yoke;
let yoke: Yoke<Cow<[u8]>, Box<Vec<u8>>> =
Yoke::attach_to_cart(vec![10, 20, 30].into(), |c| c.into());
let yoke_option = yoke.wrap_cart_in_option();
let yoke_option_pointer = yoke_option.convert_cart_into_option_pointer();The niche improves stack sizes:
use yoke::Yoke;
use yoke::cartable_ptr::CartableOptionPointer;
use std::mem::size_of;
use std::rc::Rc;
// The data struct is 6 words:
const W: usize = core::mem::size_of::<usize>();
assert_eq!(W * 6, size_of::<MyDataStruct>());
// An enum containing the data struct with an `Option<Rc>` cart is 8 words:
enum StaticOrYoke1 {
Static(&'static MyDataStruct<'static>),
Yoke(Yoke<MyDataStruct<'static>, Option<Rc<String>>>),
}
assert_eq!(W * 8, size_of::<StaticOrYoke1>());
// When using `CartableOptionPointer``, we need only 7 words for the same behavior:
enum StaticOrYoke2 {
Static(&'static MyDataStruct<'static>),
Yoke(Yoke<MyDataStruct<'static>, CartableOptionPointer<Rc<String>>>),
}
assert_eq!(W * 7, size_of::<StaticOrYoke2>());Source§impl<Y: for<'a> Yokeable<'a>, C: CartablePointerLike> Yoke<Y, CartableOptionPointer<C>>
impl<Y: for<'a> Yokeable<'a>, C: CartablePointerLike> Yoke<Y, CartableOptionPointer<C>>
Sourcepub fn try_into_yokeable(self) -> Result<Y, Self>
pub fn try_into_yokeable(self) -> Result<Y, Self>
Obtain the yokeable out of a Yoke<Y, CartableOptionPointer<C>> if possible.
If the cart is None, this returns Ok, but if the cart is Some,
this returns self as an error.
Source§impl<Y: for<'a> Yokeable<'a>, C> Yoke<Y, C>
impl<Y: for<'a> Yokeable<'a>, C> Yoke<Y, C>
Sourcepub fn map_project<P, F>(self, f: F) -> Yoke<P, C>
pub fn map_project<P, F>(self, f: F) -> Yoke<P, C>
Allows one to “project” a yoke to perform a transformation on the data, potentially looking at a subfield, and producing a new yoke. This will move cart, and the provided transformation is only allowed to use data known to be borrowed from the cart.
If producing the new Yokeable P requires access to the cart in addition to the old
Y, then Yoke::map_with_cart can be used if the cart satisfies additional constraints.
The callback takes an additional PhantomData<&()> parameter to anchor lifetimes
(see #86702) This parameter
should just be ignored in the callback.
This can be used, for example, to transform data from one format to another:
fn slice(y: Yoke<&'static str, Rc<[u8]>>) -> Yoke<&'static [u8], Rc<[u8]>> {
y.map_project(move |yk, _| yk.as_bytes())
}This can also be used to create a yoke for a subfield
// also safely implements Yokeable<'a>
struct Bar<'a> {
string_1: &'a str,
string_2: &'a str,
}
fn map_project_string_1(
bar: Yoke<Bar<'static>, Rc<[u8]>>,
) -> Yoke<&'static str, Rc<[u8]>> {
bar.map_project(|bar, _| bar.string_1)
}
Sourcepub fn map_project_cloned<'this, P, F>(&'this self, f: F) -> Yoke<P, C>where
P: for<'a> Yokeable<'a>,
C: CloneableCart,
F: for<'a> FnOnce(&'this <Y as Yokeable<'a>>::Output, PhantomData<&'a ()>) -> <P as Yokeable<'a>>::Output,
pub fn map_project_cloned<'this, P, F>(&'this self, f: F) -> Yoke<P, C>where
P: for<'a> Yokeable<'a>,
C: CloneableCart,
F: for<'a> FnOnce(&'this <Y as Yokeable<'a>>::Output, PhantomData<&'a ()>) -> <P as Yokeable<'a>>::Output,
This is similar to Yoke::map_project, however it does not move
Self and instead clones the cart (only if the cart is a CloneableCart)
This is a bit more efficient than cloning the Yoke and then calling Yoke::map_project
because then it will not clone fields that are going to be discarded.
Sourcepub fn try_map_project<P, F, E>(self, f: F) -> Result<Yoke<P, C>, E>
pub fn try_map_project<P, F, E>(self, f: F) -> Result<Yoke<P, C>, E>
This is similar to Yoke::map_project, however it can also bubble up an error
from the callback.
fn slice(
y: Yoke<&'static [u8], Rc<[u8]>>,
) -> Result<Yoke<&'static str, Rc<[u8]>>, Utf8Error> {
y.try_map_project(move |bytes, _| str::from_utf8(bytes))
}This can also be used to create a yoke for a subfield
// also safely implements Yokeable<'a>
struct Bar<'a> {
bytes_1: &'a [u8],
string_2: &'a str,
}
fn map_project_string_1(
bar: Yoke<Bar<'static>, Rc<[u8]>>,
) -> Result<Yoke<&'static str, Rc<[u8]>>, Utf8Error> {
bar.try_map_project(|bar, _| str::from_utf8(bar.bytes_1))
}
Sourcepub fn try_map_project_cloned<'this, P, F, E>(
&'this self,
f: F,
) -> Result<Yoke<P, C>, E>where
P: for<'a> Yokeable<'a>,
C: CloneableCart,
F: for<'a> FnOnce(&'this <Y as Yokeable<'a>>::Output, PhantomData<&'a ()>) -> Result<<P as Yokeable<'a>>::Output, E>,
pub fn try_map_project_cloned<'this, P, F, E>(
&'this self,
f: F,
) -> Result<Yoke<P, C>, E>where
P: for<'a> Yokeable<'a>,
C: CloneableCart,
F: for<'a> FnOnce(&'this <Y as Yokeable<'a>>::Output, PhantomData<&'a ()>) -> Result<<P as Yokeable<'a>>::Output, E>,
This is similar to Yoke::try_map_project, however it does not move
Self and instead clones the cart (only if the cart is a CloneableCart)
This is a bit more efficient than cloning the Yoke and then calling Yoke::map_project
because then it will not clone fields that are going to be discarded.
Sourcepub fn map_project_with_explicit_capture<P, T>(
self,
capture: T,
f: for<'a> fn(_: <Y as Yokeable<'a>>::Output, capture: T, _: PhantomData<&'a ()>) -> <P as Yokeable<'a>>::Output,
) -> Yoke<P, C>where
P: for<'a> Yokeable<'a>,
pub fn map_project_with_explicit_capture<P, T>(
self,
capture: T,
f: for<'a> fn(_: <Y as Yokeable<'a>>::Output, capture: T, _: PhantomData<&'a ()>) -> <P as Yokeable<'a>>::Output,
) -> Yoke<P, C>where
P: for<'a> Yokeable<'a>,
This is similar to Yoke::map_project, but it works around older versions
of Rust not being able to use FnOnce by using an explicit capture input.
See #1061.
See the docs of Yoke::map_project for how this works.
Sourcepub fn map_project_cloned_with_explicit_capture<'this, P, T>(
&'this self,
capture: T,
f: for<'a> fn(_: &'this <Y as Yokeable<'a>>::Output, capture: T, _: PhantomData<&'a ()>) -> <P as Yokeable<'a>>::Output,
) -> Yoke<P, C>where
P: for<'a> Yokeable<'a>,
C: CloneableCart,
pub fn map_project_cloned_with_explicit_capture<'this, P, T>(
&'this self,
capture: T,
f: for<'a> fn(_: &'this <Y as Yokeable<'a>>::Output, capture: T, _: PhantomData<&'a ()>) -> <P as Yokeable<'a>>::Output,
) -> Yoke<P, C>where
P: for<'a> Yokeable<'a>,
C: CloneableCart,
This is similar to Yoke::map_project_cloned, but it works around older versions
of Rust not being able to use FnOnce by using an explicit capture input.
See #1061.
See the docs of Yoke::map_project_cloned for how this works.
Sourcepub fn try_map_project_with_explicit_capture<P, T, E>(
self,
capture: T,
f: for<'a> fn(_: <Y as Yokeable<'a>>::Output, capture: T, _: PhantomData<&'a ()>) -> Result<<P as Yokeable<'a>>::Output, E>,
) -> Result<Yoke<P, C>, E>where
P: for<'a> Yokeable<'a>,
pub fn try_map_project_with_explicit_capture<P, T, E>(
self,
capture: T,
f: for<'a> fn(_: <Y as Yokeable<'a>>::Output, capture: T, _: PhantomData<&'a ()>) -> Result<<P as Yokeable<'a>>::Output, E>,
) -> Result<Yoke<P, C>, E>where
P: for<'a> Yokeable<'a>,
This is similar to Yoke::try_map_project, but it works around older versions
of Rust not being able to use FnOnce by using an explicit capture input.
See #1061.
See the docs of Yoke::try_map_project for how this works.
Sourcepub fn try_map_project_cloned_with_explicit_capture<'this, P, T, E>(
&'this self,
capture: T,
f: for<'a> fn(_: &'this <Y as Yokeable<'a>>::Output, capture: T, _: PhantomData<&'a ()>) -> Result<<P as Yokeable<'a>>::Output, E>,
) -> Result<Yoke<P, C>, E>where
P: for<'a> Yokeable<'a>,
C: CloneableCart,
pub fn try_map_project_cloned_with_explicit_capture<'this, P, T, E>(
&'this self,
capture: T,
f: for<'a> fn(_: &'this <Y as Yokeable<'a>>::Output, capture: T, _: PhantomData<&'a ()>) -> Result<<P as Yokeable<'a>>::Output, E>,
) -> Result<Yoke<P, C>, E>where
P: for<'a> Yokeable<'a>,
C: CloneableCart,
This is similar to Yoke::try_map_project_cloned, but it works around older versions
of Rust not being able to use FnOnce by using an explicit capture input.
See #1061.
See the docs of Yoke::try_map_project_cloned for how this works.
Source§impl<Y: for<'a> Yokeable<'a>, C: StableDeref> Yoke<Y, C>
impl<Y: for<'a> Yokeable<'a>, C: StableDeref> Yoke<Y, C>
Sourcepub fn map_with_cart<P, F>(self, f: F) -> Yoke<P, C>
pub fn map_with_cart<P, F>(self, f: F) -> Yoke<P, C>
Allows one to produce a new yoke from both the cart and the old yoke. This will move the cart, and the provided transformation is only allowed to use data known to be borrowed from the cart.
If access to the old Yokeable Y is sufficient to produce the new Yokeable P,
then Yoke::map_project should be preferred, as map_with_cart places additional
constraints on the cart.
This can be used, for example, to transform data between two formats, one of which contains more data:
// Both structs have `first_line`, which won't need to be recomputed in `map_with_cart`.
// They also safely implement `Yokeable<'a>`
struct Foo<'a> {
first_line: Option<&'a str>,
}
struct Bar<'a> {
first_line: Option<&'a str>,
last_line: Option<&'a str>,
}
fn foo_to_bar(
foo: Yoke<Foo<'static>, Rc<str>>,
) -> Yoke<Bar<'static>, Rc<str>> {
foo.map_with_cart(|foo, cart| {
Bar {
first_line: foo.first_line,
last_line: cart.lines().next_back(),
}
})
}
fn bar_to_foo(
bar: Yoke<Bar<'static>, Rc<str>>,
) -> Yoke<Foo<'static>, Rc<str>> {
bar.map_project(|bar, _| {
Foo {
first_line: bar.first_line,
}
})
}
Sourcepub fn map_with_cart_cloned<'this, P, F>(&'this self, f: F) -> Yoke<P, C>
pub fn map_with_cart_cloned<'this, P, F>(&'this self, f: F) -> Yoke<P, C>
This is similar to Yoke::map_with_cart, but it does not move Self and instead
clones the cart (only if the cart is a CloneableCart).
This is a bit more efficient than cloning the Yoke and then calling
Yoke::map_with_cart because it will not clone fields that are going to be discarded.
If access to the old Yokeable Y is sufficient to produce the new Yokeable P,
then Yoke::map_project_cloned should be preferred, as map_with_cart_cloned places
additional constraints on the cart.
Sourcepub fn try_map_with_cart<P, F, E>(self, f: F) -> Result<Yoke<P, C>, E>
pub fn try_map_with_cart<P, F, E>(self, f: F) -> Result<Yoke<P, C>, E>
This is similar to Yoke::map_with_cart, but it can also bubble up an error
from the callback.
If access to the old Yokeable Y is sufficient to produce the new Yokeable P,
then Yoke::try_map_project should be preferred, as try_map_with_cart places
additional constraints on the cart.
// Implements `Yokeable`
type P<'a> = (&'a str, Option<&'a u8>);
fn slice(
y: Yoke<&'static [u8], Rc<[u8]>>,
) -> Result<Yoke<P<'static>, Rc<[u8]>>, Utf8Error> {
y.try_map_with_cart(move |bytes, cart| {
Ok((str::from_utf8(bytes)?, bytes.first()))
})
}Sourcepub fn try_map_with_cart_cloned<'this, P, F, E>(
&'this self,
f: F,
) -> Result<Yoke<P, C>, E>
pub fn try_map_with_cart_cloned<'this, P, F, E>( &'this self, f: F, ) -> Result<Yoke<P, C>, E>
This is similar to Yoke::try_map_with_cart, but it does not move Self and instead
clones the cart (only if the cart is a CloneableCart).
This is a bit more efficient than cloning the Yoke and then calling
Yoke::try_map_with_cart because it will not clone fields that are going to be discarded.
If access to the old Yokeable Y is sufficient to producethe new Yokeable P,
then Yoke::try_map_project_cloned should be preferred, as try_map_with_cart_cloned
places additional constraints on the cart.
Source§impl<Y: for<'a> Yokeable<'a>, C> Yoke<Y, C>
impl<Y: for<'a> Yokeable<'a>, C> Yoke<Y, C>
Sourcepub fn wrap_cart_in_either_a<B>(self) -> Yoke<Y, EitherCart<C, B>>
pub fn wrap_cart_in_either_a<B>(self) -> Yoke<Y, EitherCart<C, B>>
Helper function allowing one to wrap the cart type C in an EitherCart.
This function wraps the cart into the A variant. To wrap it into the
B variant, use Self::wrap_cart_in_either_b().
For an example, see EitherCart.
Sourcepub fn wrap_cart_in_either_b<A>(self) -> Yoke<Y, EitherCart<A, C>>
pub fn wrap_cart_in_either_b<A>(self) -> Yoke<Y, EitherCart<A, C>>
Helper function allowing one to wrap the cart type C in an EitherCart.
This function wraps the cart into the B variant. To wrap it into the
A variant, use Self::wrap_cart_in_either_a().
For an example, see EitherCart.
Source§impl<Y, C> Yoke<Y, C>
impl<Y, C> Yoke<Y, C>
Sourcepub fn attach_to_zero_copy_cart(cart: C) -> Self
pub fn attach_to_zero_copy_cart(cart: C) -> Self
Construct a Yoke<Y, C> from a cart implementing StableDeref by zero-copy cloning
the cart to Y and then yokeing that object to the cart.
The type Y must implement ZeroFrom<C::Target>. This trait is auto-implemented
on many common types and can be custom implemented or derived in order to make it easier
to construct a Yoke.
§Example
Attach to a cart:
use std::borrow::Cow;
use yoke::Yoke;
let yoke = Yoke::<Cow<'static, str>, String>::attach_to_zero_copy_cart(
"demo".to_owned(),
);
assert_eq!("demo", yoke.get());Trait Implementations§
Source§impl<Y: for<'a> Yokeable<'a>, C: CloneableCart> Clone for Yoke<Y, C>
Clone requires that the cart type C derefs to the same address after it is cloned. This works for
Rc, Arc, and &’a T.
impl<Y: for<'a> Yokeable<'a>, C: CloneableCart> Clone for Yoke<Y, C>
Clone requires that the cart type C derefs to the same address after it is cloned. This works for
Rc, Arc, and &’a T.
For other cart types, clone .backing_cart() and re-use .attach_to_cart(); however, doing
so may lose mutations performed via .with_mut().
Cloning a Yoke is often a cheap operation requiring no heap allocations, in much the same
way that cloning an Rc is a cheap operation. However, if the yokeable contains owned data
(e.g., from .with_mut()), that data will need to be cloned.