2023-10-19 21:46:28 +00:00
|
|
|
#![feature(coroutines, coroutine_trait)]
|
2017-07-15 10:52:49 +00:00
|
|
|
|
2023-10-19 16:06:43 +00:00
|
|
|
use std::ops::{CoroutineState, Coroutine};
|
2017-07-15 10:52:49 +00:00
|
|
|
use std::cell::Cell;
|
2018-10-04 18:49:38 +00:00
|
|
|
use std::pin::Pin;
|
2017-07-15 10:52:49 +00:00
|
|
|
|
2018-10-04 18:49:38 +00:00
|
|
|
fn reborrow_shared_ref(x: &i32) {
|
2017-07-15 10:52:49 +00:00
|
|
|
// This is OK -- we have a borrow live over the yield, but it's of
|
2023-10-19 21:46:28 +00:00
|
|
|
// data that outlives the coroutine.
|
2017-07-15 10:52:49 +00:00
|
|
|
let mut b = move || {
|
|
|
|
let a = &*x;
|
|
|
|
yield();
|
|
|
|
println!("{}", a);
|
|
|
|
};
|
2020-01-25 19:03:10 +00:00
|
|
|
Pin::new(&mut b).resume(());
|
2017-07-15 10:52:49 +00:00
|
|
|
}
|
|
|
|
|
2018-10-04 18:49:38 +00:00
|
|
|
fn reborrow_mutable_ref(x: &mut i32) {
|
2017-07-15 10:52:49 +00:00
|
|
|
// This is OK -- we have a borrow live over the yield, but it's of
|
2023-10-19 21:46:28 +00:00
|
|
|
// data that outlives the coroutine.
|
2017-07-15 10:52:49 +00:00
|
|
|
let mut b = move || {
|
|
|
|
let a = &mut *x;
|
|
|
|
yield();
|
|
|
|
println!("{}", a);
|
|
|
|
};
|
2020-01-25 19:03:10 +00:00
|
|
|
Pin::new(&mut b).resume(());
|
2017-07-15 10:52:49 +00:00
|
|
|
}
|
|
|
|
|
2018-10-04 18:49:38 +00:00
|
|
|
fn reborrow_mutable_ref_2(x: &mut i32) {
|
2017-07-15 10:52:49 +00:00
|
|
|
// ...but not OK to go on using `x`.
|
|
|
|
let mut b = || {
|
|
|
|
let a = &mut *x;
|
|
|
|
yield();
|
|
|
|
println!("{}", a);
|
|
|
|
};
|
|
|
|
println!("{}", x); //~ ERROR
|
2020-01-25 19:03:10 +00:00
|
|
|
Pin::new(&mut b).resume(());
|
2017-07-15 10:52:49 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
fn main() { }
|