2017-07-15 06:52:49 -04:00
|
|
|
#![feature(generators, generator_trait)]
|
|
|
|
|
2017-07-21 20:48:46 -07:00
|
|
|
use std::ops::{GeneratorState, Generator};
|
2017-07-15 06:52:49 -04:00
|
|
|
use std::cell::Cell;
|
2018-10-04 20:49:38 +02:00
|
|
|
use std::pin::Pin;
|
2017-07-15 06:52:49 -04:00
|
|
|
|
2018-10-04 20:49:38 +02:00
|
|
|
fn reborrow_shared_ref(x: &i32) {
|
2017-07-15 06:52:49 -04:00
|
|
|
// This is OK -- we have a borrow live over the yield, but it's of
|
|
|
|
// data that outlives the generator.
|
|
|
|
let mut b = move || {
|
|
|
|
let a = &*x;
|
|
|
|
yield();
|
|
|
|
println!("{}", a);
|
|
|
|
};
|
2020-01-25 20:03:10 +01:00
|
|
|
Pin::new(&mut b).resume(());
|
2017-07-15 06:52:49 -04:00
|
|
|
}
|
|
|
|
|
2018-10-04 20:49:38 +02:00
|
|
|
fn reborrow_mutable_ref(x: &mut i32) {
|
2017-07-15 06:52:49 -04:00
|
|
|
// This is OK -- we have a borrow live over the yield, but it's of
|
|
|
|
// data that outlives the generator.
|
|
|
|
let mut b = move || {
|
|
|
|
let a = &mut *x;
|
|
|
|
yield();
|
|
|
|
println!("{}", a);
|
|
|
|
};
|
2020-01-25 20:03:10 +01:00
|
|
|
Pin::new(&mut b).resume(());
|
2017-07-15 06:52:49 -04:00
|
|
|
}
|
|
|
|
|
2018-10-04 20:49:38 +02:00
|
|
|
fn reborrow_mutable_ref_2(x: &mut i32) {
|
2017-07-15 06:52:49 -04: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 20:03:10 +01:00
|
|
|
Pin::new(&mut b).resume(());
|
2017-07-15 06:52:49 -04:00
|
|
|
}
|
|
|
|
|
|
|
|
fn main() { }
|