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
//! Support for creating futures that represent timeouts. //! //! This module contains the `Timeout` type which is a future that will resolve //! at a particular point in the future. use std::io; use std::time::{Duration, Instant}; use futures::{Future, Poll, Async}; use reactor::{Remote, Handle}; use reactor::timeout_token::TimeoutToken; /// A future representing the notification that a timeout has occurred. /// /// Timeouts are created through the `Timeout::new` or /// `Timeout::new_at` methods indicating when a timeout should fire at. /// Note that timeouts are not intended for high resolution timers, but rather /// they will likely fire some granularity after the exact instant that they're /// otherwise indicated to fire at. pub struct Timeout { token: TimeoutToken, when: Instant, handle: Remote, } impl Timeout { /// Creates a new timeout which will fire at `dur` time into the future. /// /// This function will return a future that will resolve to the actual /// timeout object. The timeout object itself is then a future which will be /// set to fire at the specified point in the future. pub fn new(dur: Duration, handle: &Handle) -> io::Result<Timeout> { Timeout::new_at(Instant::now() + dur, handle) } /// Creates a new timeout which will fire at the time specified by `at`. /// /// This function will return a future that will resolve to the actual /// timeout object. The timeout object itself is then a future which will be /// set to fire at the specified point in the future. pub fn new_at(at: Instant, handle: &Handle) -> io::Result<Timeout> { Ok(Timeout { token: try!(TimeoutToken::new(at, &handle)), when: at, handle: handle.remote().clone(), }) } } impl Future for Timeout { type Item = (); type Error = io::Error; fn poll(&mut self) -> Poll<(), io::Error> { // TODO: is this fast enough? let now = Instant::now(); if self.when <= now { Ok(Async::Ready(())) } else { self.token.update_timeout(&self.handle); Ok(Async::NotReady) } } } impl Drop for Timeout { fn drop(&mut self) { self.token.cancel_timeout(&self.handle); } }