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
// SPDX-License-Identifier: MIT

#[cfg(feature = "std")]
use std::time::{Duration, Instant};

#[macro_export]
macro_rules! timeout {
    ($t:expr, $f:expr) => {{
        let mut result = Err($crate::Error::Timeout);
        while $t.running() {
            match $f {
                Ok(ok) => {
                    result = Ok(ok);
                    break;
                },
                Err(err) => match err {
                    $crate::Error::WouldBlock => (),
                    _ => {
                        result = Err(err);
                        break;
                    }
                },
            }
        }
        result
    }};
}

/// Timeout for use in blocking operations
pub trait Timeout {
    /// Reset the timeout to its initial state
    fn reset(&mut self);

    /// Check if timeout is still running
    fn running(&self) -> bool;
}

/// Timeout implemented using std::time
#[cfg(feature = "std")]
pub struct StdTimeout {
    instant: Instant,
    duration: Duration,
}

#[cfg(feature = "std")]
impl StdTimeout {
    /// Create a timeout with the specified duration
    pub fn new(duration: Duration) -> Self {
        StdTimeout {
            instant: Instant::now(),
            duration
        }
    }
}

#[cfg(feature = "std")]
impl Timeout for StdTimeout {
    fn reset(&mut self) {
        self.instant = Instant::now();
    }

    fn running(&self) -> bool {
        self.instant.elapsed() < self.duration
    }
}