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
#![deny(missing_docs)]
use std::marker::PhantomData;
use std::thread::{spawn, JoinHandle, Thread};
use std::mem::{transmute, forget};
#[must_use = "thread will be immediately joined if `JoinGuard` is not used"]
pub struct JoinGuard<'a, T: Send + 'a> {
inner: Option<JoinHandle<BoxedThing>>,
_marker: PhantomData<&'a T>,
}
unsafe impl<'a, T: Send + 'a> Sync for JoinGuard<'a, T> {}
impl<'a, T: Send + 'a> JoinGuard<'a, T> {
pub fn thread(&self) -> &Thread {
&self.inner.as_ref().unwrap().thread()
}
pub fn join(mut self) -> T {
match self.inner.take().unwrap().join() {
Ok(res) => unsafe { *res.into_inner() },
Err(_) => panic!("child thread {:?} panicked", self.thread()),
}
}
}
pub trait ScopedDetach {
fn detach(self);
}
impl<T: Send + 'static> ScopedDetach for JoinGuard<'static, T> {
fn detach(mut self) {
let _ = self.inner.take();
}
}
impl<'a, T: Send + 'a> Drop for JoinGuard<'a, T> {
fn drop(&mut self) {
self.inner.take().map(|v| if v.join().is_err() {
panic!("child thread {:?} panicked", self.thread());
});
}
}
pub unsafe fn scoped<'a, T, F>(f: F) -> JoinGuard<'a, T> where
T: Send + 'a, F: FnOnce() -> T, F: Send + 'a
{
let f = BoxedThing::new(f);
JoinGuard {
inner: Some(spawn(move ||
BoxedThing::new(f.into_inner::<F>()())
)),
_marker: PhantomData,
}
}
struct BoxedThing(usize);
impl BoxedThing {
fn new<T>(v: T) -> Self {
let mut b = Box::new(v);
let b_ptr = &mut *b as *mut _ as usize;
forget(b);
BoxedThing(b_ptr)
}
unsafe fn into_inner<T>(self) -> Box<T> {
transmute(self.0 as *mut T)
}
}
#[cfg(test)]
mod tests {
use std::thread::sleep;
use std::time::Duration;
use super::scoped;
#[test]
fn test_scoped_stack() {
unsafe {
let mut a = 5;
scoped(|| {
sleep(Duration::from_millis(100));
a = 2;
}).join();
assert_eq!(a, 2);
}
}
#[test]
fn test_join_success() {
unsafe {
assert!(scoped(move|| -> String {
"Success!".to_string()
}).join() == "Success!");
}
}
#[test]
fn test_scoped_success() {
unsafe {
let res = scoped(move|| -> String {
"Success!".to_string()
}).join();
assert!(res == "Success!");
}
}
#[test]
#[should_panic]
fn test_scoped_panic() {
unsafe {
scoped(|| panic!()).join();
}
}
#[test]
#[should_panic]
fn test_scoped_implicit_panic() {
unsafe {
let _ = scoped(|| panic!());
}
}
}