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
use std::sync::{
atomic::{AtomicUsize, Ordering},
Arc,
};
use std::time::{Duration, Instant};
use crossbeam_channel::{Receiver, Sender};
pub struct Context {
pub(crate) cancel_rx: Receiver<()>,
pub(crate) timeout_rx: Receiver<Instant>,
timeout_at: Instant,
timeout_duration: Duration,
shared: Arc<Shared>,
}
impl Context {
pub fn new() -> (Context, CtxHandle) {
let (cancel_tx, cancel_rx) = crossbeam_channel::unbounded();
let timeout_rx = crossbeam_channel::never();
let timeout_duration = Duration::new(3_154_000_000, 0);
let timeout_at = Instant::now() + timeout_duration;
let shared = Arc::new(Shared {
cancel_tx,
num_chans: AtomicUsize::new(1),
});
(
Context {
cancel_rx,
timeout_rx,
timeout_at,
timeout_duration,
shared: Arc::clone(&shared),
},
CtxHandle { shared },
)
}
pub fn with_timeout(timeout: Duration) -> (Context, CtxHandle) {
let (mut ctx, h) = Self::new();
ctx.set_timeout(timeout);
(ctx, h)
}
pub fn set_timeout(&mut self, timeout: Duration) {
self.timeout_at = Instant::now() + timeout;
self.timeout_rx = crossbeam_channel::at(self.timeout_at);
}
pub fn reset_timeout(&mut self) {
self.set_timeout(self.timeout_duration);
}
pub fn cancel(&self) {
self.shared.cancel();
}
}
impl Clone for Context {
fn clone(&self) -> Self {
self.shared.num_chans.fetch_add(1, Ordering::SeqCst);
Self {
cancel_rx: self.cancel_rx.clone(),
timeout_rx: crossbeam_channel::at(self.timeout_at),
timeout_at: self.timeout_at,
timeout_duration: self.timeout_duration,
shared: Arc::clone(&self.shared),
}
}
}
pub struct CtxHandle {
shared: Arc<Shared>,
}
impl CtxHandle {
pub fn cancel(&self) {
self.shared.cancel();
}
}
struct Shared {
cancel_tx: Sender<()>,
num_chans: AtomicUsize,
}
impl Shared {
fn cancel(&self) {
for _ in 0..self.num_chans.load(Ordering::SeqCst) {
let _ = self.cancel_tx.try_send(());
}
}
}