1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577
//! Heavy Elastic - almost-safe abstractions for "stretching" lifetimes (and dealing with what
//! happens when they have to snap back.)
//!
//! This crate provides four main abstractions:
//! - [`Stretchable<'a>`], a trait indicating that some type with a lifetime `'a` can have that
//! lifetime `'a` *removed* (and virtually set to `'static`.)
//! - [`Stretched`], a marker trait denoting that a type is a stretched version of a
//! [`Stretchable<'a>`] type. It is unsafe to implement [`Stretched`]. Read the docs and do so at
//! your own risk, or better yet, avoid doing so and use [`StretchedRef`] and [`StretchedMut`]
//! instead.
//! - [`Elastic<T>`], a container for a stretched value (which may be empty.) It acts as an [`Arc`]
//! and an [`AtomicRefCell`], by way of [`ArcCell`](hv_cell::ArcCell), and allows "loaning" the
//! [`Stretchable`] type corresponding to its `T: Stretched`.
//! - [`ElasticGuard<'a, T>`], a guard which ensures that some loan to an [`Elastic<T::Stretched>`]
//! doesn't outlive its original lifetime. When dropped, it forcibly takes the value back from the
//! [`Elastic`] it was loaned from, and panics if doing so is impossible. You can also take the
//! value back manually.
#![no_std]
#![warn(missing_docs)]
#![warn(missing_debug_implementations)]
#![feature(generic_associated_types, allocator_api)]
extern crate alloc;
use core::{fmt, marker::PhantomData, ptr::NonNull};
// Used by `impl_stretched_methods`.
#[doc(hidden)]
pub use core::mem::transmute;
use alloc::{boxed::Box, vec::Vec};
use hv_guarded_borrow::{
NonBlockingGuardedBorrow, NonBlockingGuardedBorrowMut, NonBlockingGuardedMutBorrowMut,
};
use hv_cell::{ArcCell, ArcRef, ArcRefMut, AtomicRef, AtomicRefMut};
use hv_stampede::Bump;
/// Small convenience macro for correctly implementing the four unsafe methods of [`Stretched`].
#[macro_export]
macro_rules! impl_stretched_methods {
() => {
unsafe fn lengthen(this: Self::Parameterized<'_>) -> Self {
$crate::transmute(this)
}
unsafe fn shorten<'a>(this: Self) -> Self::Parameterized<'a> {
$crate::transmute(this)
}
unsafe fn shorten_mut<'a>(this: &'_ mut Self) -> &'_ mut Self::Parameterized<'a> {
$crate::transmute(this)
}
unsafe fn shorten_ref<'a>(this: &'_ Self) -> &'_ Self::Parameterized<'a> {
$crate::transmute(this)
}
};
}
pub mod external;
/// Marker trait indicating that a type can be stretched (has a type for which there is an
/// implementation of `Stretched`, and which properly "translates back" with its `Parameterized`
/// associated type.)
pub trait Stretchable<'a>: 'a {
/// The type you get by stretching `Self`.
#[rustfmt::skip]
type Stretched: Stretched<Parameterized<'a> = Self>;
}
/// A type which is a "stretched" version of a second type, representing the result of having every
/// single lifetime in that type set to `'static`.
///
/// # Safety
///
/// Holy shit this is incredibly fucking unsafe. It's cursed. It's so unbelievably cursed I'd like
/// to forget I wrote it but in all the circumstances I want to use it it should be safe so fine,
/// whatever. For the sake of completeness, however, I will say that there are *TWO major
/// requirements:*
///
/// Number one: ***DEPENDING ON YOUR TYPE, IT MAY BE UNDEFINED BEHAVIOR TO ACTUALLY HAVE IT
/// REPRESENTED WITH THE PARAMETERIZED LIFETIME SUBSTITUTED WITH `'static`!*** The Rust aliasing
/// rules state that if you turn a pointer to some `T` - which includes a reference to a `T` - into
/// a reference with a given lifetime... then ***you must respect the aliasing rules with respect to
/// that lifetime for the rest of the lifetime, even if you get rid of the value and it is no longer
/// touched!*** Instead of using `'static` lifetimes to represent a stretched thing, use pointers,
/// or - horror of horrors - implement `Stretched` for `pub StretchedMyType([u8;
/// std::mem::size_of::<MyType>()]);`. Yes, this will work, and it is safe/will not cause undefined
/// behavior, unlike having `&'static MyType` around and having Rust assume that the thing it
/// pointed to will never, ever be mutated again.
///
/// Number two: A type which is stretchable is parameterized over a lifetime. *It **must** be
/// covariant over that lifetime.* The reason for this is that essentially the `Stretched` trait and
/// [`StretchCell`] allow you to *decouple two lifetimes at a number of "decoupled reborrows".* The
/// first lifetime here is the lifetime of the original data, which is carried over in
/// [`StretchGuard`]; [`StretchGuard`] ensures that the data is dropped at or before the end of its
/// lifetime (and if it can't, everything will blow up with a panic.) The second lifetime is the
/// lifetime of every borrow from the [`StretchCell`]. As such what [`StretchCell`] and
/// [`Stretchable`] actually allow you to do is tell Rust to *assume* that the reborrowed lifetimes
/// are all outlived by the original lifetime, and blow up/error if not. This should scare you
/// shitless. However, I am unstoppable and I won't do what you tell me.
///
/// That is all. Godspeed.
pub unsafe trait Stretched: 'static + Sized {
/// The parameterized type, which must be bit-equivalent to the unparameterized `Self` type. It
/// must have the same size, same pointer size, same alignment, same *everything.*
type Parameterized<'a>: Stretchable<'a, Stretched = Self>
where
Self: 'a;
/// Lengthen the lifetime of a [`Stretched::Parameterized`] to `'static`.
///
/// # Safety
///
/// This is highly unsafe, and care must be taken to ensure that the lengthened data is taken
/// care of and not discarded before the actual lifetime of the data. Most of the time this
/// function is simply implemented as a wrapper around [`core::mem::transmute`]; this should give
/// you a hint as to just how wildly unsafe this can be if mishandled.
unsafe fn lengthen(this: Self::Parameterized<'_>) -> Self;
/// Shorten the lifetime of a `'static` self to some arbitrary [`Stretched::Parameterized`].
/// This is intended strictly as the inverse of [`Stretched::lengthen`], and makes no guarantees
/// about its behavior if not used as such.
///
/// # Safety
///
/// Shortening a lifetime is normally totally safe, but this function might be usable in cases
/// where the lifetime is actually invariant. In this case, it is extremely unsafe and care must
/// be taken to ensure that the lifetime of the shortened data is the same as the lifetime of
/// the data before its lifetime was lengthened. This function should be simply implemented as a
/// wrapper around [`core::mem::transmute`]; this should give you a hint as to just how wildly
/// unsafe this can be if mishandled.
unsafe fn shorten<'a>(this: Self) -> Self::Parameterized<'a>;
/// Equivalent to [`Stretched::shorten`] but operates on a mutable reference to the stretched
/// type.
///
/// # Safety
///
/// Same as [`Stretched::shorten`]. Should be implemented simply as a wrapper around transmute.
unsafe fn shorten_mut<'a>(this: &'_ mut Self) -> &'_ mut Self::Parameterized<'a>;
/// Equivalent to [`Stretched::shorten`] but operates on an immutable reference to the stretched
/// type.
///
/// # Safety
///
/// Same as [`Stretched::shorten`]. Should be implemented simply as a wrapper around transmute.
unsafe fn shorten_ref<'a>(this: &'_ Self) -> &'_ Self::Parameterized<'a>;
}
/// A guard representing a loan of some stretchable value to some [`Elastic`].
pub struct ElasticGuard<'a, T: Stretchable<'a>> {
slot: ArcCell<Option<T::Stretched>>,
_phantom: PhantomData<fn(&'a ())>,
}
impl<'a, T: Stretchable<'a>> fmt::Debug for ElasticGuard<'a, T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "ElasticGuard {{ .. }}")
}
}
impl<'a, T: Stretchable<'a>> ElasticGuard<'a, T> {
/// Revoke the loan and retrieve the loaned value.
pub fn take(self) -> T {
let stretched = self
.slot
.as_inner()
.borrow_mut()
.take()
.expect("empty slot!");
let shortened = unsafe { <T::Stretched>::shorten(stretched) };
core::mem::forget(self);
shortened
}
}
impl<'a, T: Stretchable<'a>> Drop for ElasticGuard<'a, T> {
fn drop(&mut self) {
if let Some(stretched) = self.slot.as_inner().borrow_mut().take() {
drop(unsafe { <T::Stretched>::shorten(stretched) });
}
}
}
/// A container for a stretched value.
///
/// This acts a bit like `Arc<AtomicRefCell<Option<T>>>`, through its `Clone` behavior and borrowing
/// methods, but the similarity ends there. The only way to put data into this type is through
/// [`Elastic::loan`], which allows you to safely loan some [`Stretchable`], non-`'static` type, to
/// an [`Elastic`] carrying the corresponding [`Stretched`] type. As [`Stretched`] requires
/// `'static`, [`Elastic<T>`] is always `'static` and can be used to access non-`'static` types
/// safely from contexts which require `'static` (such as dynamic typing with `Any` or the
/// `hv-alchemy` crate.) The lifetime is preserved by a scope guard, [`ElasticGuard`], which is
/// provided when a value is loaned and which revokes the loan when it is dropped or has the loaned
/// value forcibly taken back by [`ElasticGuard::take`].
///
/// [`Elastic<T>`] is thread-safe. However, internally, it uses an
/// [`AtomicRefCell`](hv_cell::AtomicRefCell), so if you violate borrowing invariants, you will have
/// a panic on your hands. This goes likewise for taking the value back w/ [`ElasticGuard`] or
/// dropping the guard: the guard will panic if it cannot take back the value.
///
/// # Soundness
///
/// As it comes to soundness, this crate currently will have issues with what might happen if a
/// thread tries to take back an elastic value from another thread which is currently borrowing it;
/// the owning thread will panic, and potentially end up dropping the borrowed value, while it is
/// being accessed by another thread. We may need to use an [`RwLock`] and block instead/use
/// something which supports poisoning... alternatively, report the error and directly abort.
#[derive(Debug)]
pub struct Elastic<T: Stretched> {
slot: ArcCell<Option<T>>,
}
impl<T: Stretched> Clone for Elastic<T> {
fn clone(&self) -> Self {
Self {
slot: self.slot.clone(),
}
}
}
impl<T: Stretched> Default for Elastic<T> {
fn default() -> Self {
Self::new()
}
}
impl<T: Stretched> Elastic<T> {
/// Create an empty [`Elastic<T>`].
pub fn new() -> Self {
Self {
slot: Default::default(),
}
}
/// Attempt to immutably borrow the loaned value, if present. Returns `None` if nothing is
/// currently loaned to this [`Elastic`].
#[track_caller]
pub fn borrow(&self) -> Option<AtomicRef<T::Parameterized<'_>>> {
AtomicRef::filter_map(self.slot.as_inner().borrow(), Option::as_ref)
.map(|arm| AtomicRef::map(arm, |t| unsafe { T::shorten_ref(t) }))
}
/// Attempt to mutably borrow the loaned value, if present. Returns `None` if nothing is
/// currently loaned to this [`Elastic`].
#[track_caller]
pub fn borrow_mut(&self) -> Option<AtomicRefMut<T::Parameterized<'_>>> {
AtomicRefMut::filter_map(self.slot.as_inner().borrow_mut(), Option::as_mut)
.map(|arm| AtomicRefMut::map(arm, |t| unsafe { T::shorten_mut(t) }))
}
/// Attempt to immutably borrow the loaned value, via a reference-counted guard. Returns `None`
/// if nothing is currently loaned to this [`Elastic`].
#[track_caller]
pub fn borrow_arc<'b, U: 'b, F>(&'b self, f: F) -> Option<ArcRef<U, Option<T>>>
where
F: for<'a> FnOnce(&'a T::Parameterized<'a>) -> &'a U,
{
ArcRef::filter_map(self.slot.borrow(), Option::as_ref)
.map(|arc| ArcRef::map(arc, |t| f(unsafe { T::shorten_ref(t) })))
}
/// Attempt to mutably borrow the loaned value, via a reference-counted guard. Returns `None` if
/// nothing is currently loaned to this [`Elastic`].
#[track_caller]
pub fn borrow_arc_mut<'b, U: 'b, F>(&'b mut self, f: F) -> Option<ArcRefMut<U, Option<T>>>
where
F: for<'a> FnOnce(&'a mut T::Parameterized<'a>) -> &'a mut U,
{
ArcRefMut::filter_map(self.slot.borrow_mut(), Option::as_mut)
.map(|arc| ArcRefMut::map(arc, |t| f(unsafe { T::shorten_mut(t) })))
}
/// Loan a stretchable value to this [`Elastic`] in exchange for a guard object which ends the
/// loan when the value is taken back or when the guard is dropped.
///
/// Panics if there is already a loan in progress to this [`Elastic`].
///
/// # Safety
///
/// The guard *must* have its destructor run by the end of its lifetime, either by dropping it
/// or using [`ElasticGuard::take`]. Calling [`core::mem::forget`] on an [`ElasticGuard`] is
/// considered instant undefined behavior, as it leaves an [`Elastic`] in a state which is not
/// well-defined and potentially contains a stretched value which is long past the end of its
/// life, causing a use-after-free.
#[track_caller]
pub unsafe fn loan<'a>(
&self,
t: T::Parameterized<'a>,
) -> ElasticGuard<'a, T::Parameterized<'a>> {
let mut slot = self.slot.as_inner().borrow_mut();
assert!(
slot.is_none(),
"Elastic is already in the middle of a loan!"
);
let stretched = T::lengthen(t);
*slot = Some(stretched);
ElasticGuard {
slot: self.slot.clone(),
_phantom: PhantomData,
}
}
}
impl<T: Stretched, U: ?Sized> NonBlockingGuardedBorrow<U> for Elastic<T>
where
for<'a> T::Parameterized<'a>: core::borrow::Borrow<U>,
{
type Guard<'a>
where
U: 'a,
= AtomicRef<'a, U>;
type BorrowError<'a>
where
U: 'a,
= ();
fn try_nonblocking_guarded_borrow(&self) -> Result<Self::Guard<'_>, Self::BorrowError<'_>> {
self.borrow()
.ok_or(())
.map(|guard| AtomicRef::map(guard, |t| core::borrow::Borrow::borrow(t)))
}
}
impl<T: Stretched, U: ?Sized> NonBlockingGuardedBorrowMut<U> for Elastic<T>
where
for<'a> T::Parameterized<'a>: core::borrow::BorrowMut<U>,
{
type GuardMut<'a>
where
U: 'a,
= AtomicRefMut<'a, U>;
type BorrowMutError<'a>
where
U: 'a,
= ();
fn try_nonblocking_guarded_borrow_mut(
&self,
) -> Result<Self::GuardMut<'_>, Self::BorrowMutError<'_>> {
self.borrow_mut()
.ok_or(())
.map(|guard| AtomicRefMut::map(guard, |t| core::borrow::BorrowMut::borrow_mut(t)))
}
}
impl<T: Stretched, U: ?Sized> NonBlockingGuardedMutBorrowMut<U> for Elastic<T>
where
for<'a> T::Parameterized<'a>: core::borrow::BorrowMut<U>,
{
type MutGuardMut<'a>
where
U: 'a,
= AtomicRefMut<'a, U>;
type MutBorrowMutError<'a>
where
U: 'a,
= ();
fn try_nonblocking_guarded_mut_borrow_mut(
&mut self,
) -> Result<Self::MutGuardMut<'_>, Self::MutBorrowMutError<'_>> {
self.borrow_mut()
.ok_or(())
.map(|guard| AtomicRefMut::map(guard, |t| core::borrow::BorrowMut::borrow_mut(t)))
}
}
/// A type representing a stretched `&T` reference. Has the same representation as a `*const T`.
#[derive(Debug, Clone, Copy)]
#[repr(transparent)]
pub struct StretchedRef<T: ?Sized>(*const T);
unsafe impl<T: Sync> Send for StretchedRef<T> {}
unsafe impl<T: Sync> Sync for StretchedRef<T> {}
/// A type representing a stretched `&mut T` reference. Has the same representation as a `*mut T`.
#[derive(Debug, Clone, Copy)]
#[repr(transparent)]
pub struct StretchedMut<T: ?Sized>(NonNull<T>);
unsafe impl<T: Send> Send for StretchedMut<T> {}
unsafe impl<T: Sync> Sync for StretchedMut<T> {}
unsafe impl<T: 'static> Stretched for StretchedRef<T> {
type Parameterized<'a> = &'a T;
unsafe fn lengthen(this: Self::Parameterized<'_>) -> Self {
core::mem::transmute(this)
}
unsafe fn shorten<'a>(this: Self) -> Self::Parameterized<'a> {
&*this.0.cast()
}
unsafe fn shorten_mut<'a>(this: &'_ mut Self) -> &'_ mut Self::Parameterized<'a> {
core::mem::transmute(this)
}
unsafe fn shorten_ref<'a>(this: &'_ Self) -> &'_ Self::Parameterized<'a> {
core::mem::transmute(this)
}
}
impl<'a, T: 'static> Stretchable<'a> for &'a T {
type Stretched = StretchedRef<T>;
}
unsafe impl<T: 'static> Stretched for StretchedMut<T> {
type Parameterized<'a> = &'a mut T;
unsafe fn lengthen(this: Self::Parameterized<'_>) -> Self {
core::mem::transmute(this)
}
unsafe fn shorten<'a>(this: Self) -> Self::Parameterized<'a> {
this.0.cast().as_mut()
}
unsafe fn shorten_mut<'a>(this: &'_ mut Self) -> &'_ mut Self::Parameterized<'a> {
core::mem::transmute(this)
}
unsafe fn shorten_ref<'a>(this: &'_ Self) -> &'_ Self::Parameterized<'a> {
core::mem::transmute(this)
}
}
impl<'a, T: 'static> Stretchable<'a> for &'a mut T {
type Stretched = StretchedMut<T>;
}
macro_rules! impl_tuple {
($($letter:ident),*) => {
unsafe impl<$($letter: Stretched,)*> Stretched for ($($letter,)*) {
type Parameterized<'a> = ($(<$letter as Stretched>::Parameterized<'a>,)*);
#[allow(non_snake_case, clippy::unused_unit)]
unsafe fn lengthen(this: ($(<$letter as Stretched>::Parameterized<'_>,)*)) -> Self {
let ($($letter,)*) = this;
($($letter::lengthen($letter),)*)
}
#[allow(non_snake_case, clippy::unused_unit)]
unsafe fn shorten<'a>(this: Self) -> Self::Parameterized<'a> {
let ($($letter,)*) = this;
($($letter::shorten($letter),)*)
}
unsafe fn shorten_mut<'a>(this: &'_ mut Self) -> &'_ mut Self::Parameterized<'a> {
core::mem::transmute(this)
}
unsafe fn shorten_ref<'a>(this: &'_ Self) -> &'_ Self::Parameterized<'a> {
core::mem::transmute(this)
}
}
impl<'a, $($letter: Stretchable<'a>,)*> Stretchable<'a> for ($($letter,)*) {
type Stretched = ($(<$letter as Stretchable<'a>>::Stretched,)*);
}
};
}
macro_rules! russian_tuples {
($m: ident, $ty: tt) => {
$m!{}
$m!{$ty}
};
($m: ident, $ty: tt, $($tt: tt),*) => {
russian_tuples!{$m, $($tt),*}
$m!{$ty, $($tt),*}
};
}
russian_tuples!(impl_tuple, A, B, C, D, E, F, G, H, I, J, K, L, M, N, O, P);
unsafe impl<T: Stretched> Stretched for Option<T> {
type Parameterized<'a> = Option<T::Parameterized<'a>>;
unsafe fn lengthen(this: Self::Parameterized<'_>) -> Self {
this.map(|t| unsafe { T::lengthen(t) })
}
unsafe fn shorten<'a>(this: Self) -> Self::Parameterized<'a> {
this.map(|t| unsafe { T::shorten(t) })
}
unsafe fn shorten_mut<'a>(this: &'_ mut Self) -> &'_ mut Self::Parameterized<'a> {
core::mem::transmute(this)
}
unsafe fn shorten_ref<'a>(this: &'_ Self) -> &'_ Self::Parameterized<'a> {
core::mem::transmute(this)
}
}
impl<'a, T: Stretchable<'a>> Stretchable<'a> for Option<T> {
type Stretched = Option<T::Stretched>;
}
/// An arena for allocating [`ScopeGuard`]s.
#[derive(Debug, Default)]
pub struct ScopeArena {
bump: Bump,
}
impl ScopeArena {
/// Create an empty scope arena.
pub fn new() -> Self {
Self::default()
}
/// Create a scope within which we can safely loan elastics.
///
/// This method *does not* reset the arena afterwards, so if you use it, it is your
/// responsibility to reset the `ScopeArena` with [`ScopeArena::reset`] to avoid memory leaks.
pub fn scope<'a, F, R>(&'a self, f: F) -> R
where
F: FnOnce(&mut ScopeGuard<'a>) -> R,
{
let mut scope_guard = ScopeGuard {
bump: &self.bump,
buf: Vec::new_in(&self.bump),
};
f(&mut scope_guard)
}
/// Create a scope within which we can safely loan elastics, and reset the arena at the end.
pub fn scope_mut<'a, F, R>(&'a mut self, f: F) -> R
where
F: for<'b> FnOnce(&mut ScopeGuard<'b>) -> R,
{
let result = self.scope(f);
self.reset();
result
}
/// Clear memory allocated by the arena, preserving the allocations for reuse.
pub fn reset(&mut self) {
self.bump.reset();
}
}
trait PutItInABox {}
impl<T: ?Sized> PutItInABox for T {}
/// A guard which allows "stashing" [`ElasticGuard`]s for safe loaning.
///
/// Bare [`Elastic::loan`] is unsafe, because the returned [`ElasticGuard`] *must* be dropped. A
/// [`ScopeGuard`] provided by [`ScopeArena::scope`] or [`ScopeArena::scope_mut`] allows for
/// collecting [`ElasticGuard`]s through its *safe* [`ScopeGuard::loan`] method, because the
/// [`ScopeArena`] ensures that all loans are ended at the end of the scope.
pub struct ScopeGuard<'a> {
bump: &'a Bump,
buf: Vec<Box<dyn PutItInABox + 'a, &'a Bump>, &'a Bump>,
}
impl<'a> fmt::Debug for ScopeGuard<'a> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "ScopeGuard(..{})", self.buf.len())
}
}
impl<'a> ScopeGuard<'a> {
/// Loan to an elastic within the lifetime of the scope guard.
pub fn loan<T: Stretchable<'a>>(&mut self, elastic: &Elastic<T::Stretched>, value: T) {
let guard = unsafe { elastic.loan(value) };
self.buf.push(Box::new_in(guard, self.bump));
}
}