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
#![deny(missing_docs)]

//! Stoplight is a small library for stoppable threads/tasks.
//!```
//! use stoplight;
//! use std::sync::atomic::{Ordering};
//!
//! // spawn our task, this creates a new OS thread.
//! let th = stoplight::spawn(|stop| {
//!     while !stop.load(Ordering::Relaxed) {}
//!     42
//! });
//!
//! // stop() signals the thread to stop, and then join returns its return value.
//! th.stop();
//! assert_eq!(th.join().unwrap(), 42);
//!```

use std::any::Any;
use std::sync::atomic::{AtomicBool, Ordering};
use std::sync::Arc;
use std::thread;
use std::thread::JoinHandle;

/// Spawn a new job with cancelation.
/// (re export of stoplight::Thread::spawn)
pub fn spawn<T, F>(f: F) -> Thread<T>
where
    F: FnOnce(Arc<AtomicBool>) -> T + Send + 'static,
    T: Send + 'static,
{
    Thread::spawn(f)
}

/// Handle to a stoppable thread.
pub struct Thread<T> {
    jh: JoinHandle<T>,
    stop: Arc<AtomicBool>,
}

impl<T> Thread<T>
where
    T: Send + 'static,
{
    /// Spawn a new job with cancelation.
    pub fn spawn<F>(f: F) -> Thread<T>
    where
        F: FnOnce(Arc<AtomicBool>) -> T + Send + 'static,
    {
        let stop = Arc::new(AtomicBool::new(false));

        Thread {
            stop: stop.clone(),
            jh: thread::spawn(move || f(stop)),
        }
    }

    /// Join waits for the thread to exit then returns the return value.
    // TODO: Clean up type signature of Result<T, E> (copied off compile errors)
    pub fn join(self) -> Result<T, Box<(dyn Any + Send + 'static)>> {
        self.jh.join()
    }

    /// Signal the Thread to stop, To wait for the thread to exit call `join`.
    pub fn stop(&self) {
        self.stop.store(true, Ordering::Relaxed);
    }

    /// Extracts a handle to the underlying thread.
    /// ```
    /// use stoplight;
    /// use std::sync::atomic::{Ordering};
    ///
    /// let th = stoplight::spawn(|stop| {
    ///     while !stop.load(Ordering::Relaxed) {}
    ///     42
    /// });
    ///
    /// let thread = th.thread();
    /// eprintln!("thread id: {:?}", thread.id());
    ///
    /// # // stop() signals the thread to stop, and then join returns its return value.
    /// # th.stop();
    /// # assert_eq!(th.join().unwrap(), 42);
    /// ```
    pub fn thread(&self) -> &thread::Thread {
        self.jh.thread()
    }
}

#[cfg(test)]
mod tests {
    use super::*;
    use std::time::Duration;

    #[test]
    fn test_busy_loop() {
        let th = Thread::spawn(|stop| {
            thread::sleep(Duration::from_millis(300));
            while !stop.load(Ordering::Relaxed) {}
            42
        });

        th.stop();
        assert_eq!(th.join().unwrap(), 42);
    }
}