use std::mem;
trait Leak<T : ?Sized> {
fn leak<'a>(self) -> &'a T where T: 'a;
}
impl<T : ?Sized> Leak<T> for Box<T> {
fn leak<'a>(self) -> &'a T where T: 'a {
let r = Self::into_raw(self);
unsafe { &mut *r }
}
}
impl Leak<str> for String {
fn leak<'a>(mut self) -> &'a str where Self: 'a {
let r: *mut str = &mut self[..];
mem::forget(self);
unsafe { &mut *r }
}
}
impl<T> Leak<[T]> for Vec<T> {
fn leak<'a>(mut self) -> &'a [T] where [T]: 'a {
let r: *mut [T] = &mut self[..];
mem::forget(self);
unsafe { &mut *r }
}
}
#[cfg(test)]
mod test {
#[test]
fn leak_str() {
use super::Leak;
use std::borrow::ToOwned;
let v = "hi";
{
let o = v.to_owned();
let _ : &str = o.leak();
}
{
let o = v.to_owned();
let _ : &'static str = o.leak();
}
}
#[test]
fn leak_vec() {
use super::Leak;
let v = vec![3, 5];
{
let o = v.clone();
let _ : &'static [u8] = o.leak();
}
}
#[test]
fn leak_box() {
use super::Leak;
let v = Box::new(vec!["hi", "there"].into_boxed_slice());
}
}