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
use core::ptr;
use core::sync::atomic::AtomicPtr;
use core::sync::atomic::Ordering::*;
pub struct RoutineStack {
head: AtomicPtr<Routine>,
}
struct Routine {
routine: Box<Generator<Yield = (), Return = ()>>,
next: *mut Routine,
}
impl RoutineStack {
#[inline(always)]
pub const fn new() -> Self {
Self {
head: AtomicPtr::new(ptr::null_mut()),
}
}
pub(crate) fn push<G>(&self, g: G)
where
G: Generator<Yield = (), Return = ()>,
G: 'static,
{
let node = Box::into_raw(Box::new(Routine::new(g)));
loop {
let head = self.head.load(Relaxed);
unsafe { (*node).next = head };
if self.head.compare_and_swap(head, node, Release) == head {
break;
}
}
}
pub(crate) fn drain(&mut self) {
let mut prev = ptr::null_mut();
let mut curr = self.head.load(Acquire);
while !curr.is_null() {
unsafe {
let next = (*curr).next;
match (*curr).routine.resume() {
Yielded(()) => {
prev = curr;
}
Complete(()) => {
if prev.is_null() {
prev = self.head.compare_and_swap(curr, next, Relaxed);
if prev == curr {
prev = ptr::null_mut();
} else {
loop {
prev = (*prev).next;
if prev == curr {
(*prev).next = next;
break;
}
}
}
} else {
(*prev).next = next;
}
drop(Box::from_raw(curr));
}
}
curr = next;
}
}
}
}
impl Routine {
#[inline(always)]
fn new<G>(g: G) -> Self
where
G: Generator<Yield = (), Return = ()>,
G: 'static,
{
Self {
routine: Box::new(g),
next: ptr::null_mut(),
}
}
}