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
use webcore::once::Once;
use webcore::value::Value;
use webcore::reference_type::ReferenceType;

extern fn funcall_adapter< F: FnOnce() >( callback: *mut F ) {
    let callback = unsafe {
        Box::from_raw( callback )
    };

    callback();
}

/// The `IWindowOrWorker` mixin describes several features common to
/// the `Window` and the global scope of web workers.
///
/// You most likely don't want to `use` this directly; instead
/// you should `use stdweb::traits::*;`.
///
/// [(JavaScript docs)](https://developer.mozilla.org/en-US/docs/Web/API/WindowOrWorkerGlobalScope)
// https://html.spec.whatwg.org/#windoworworkerglobalscope
pub trait IWindowOrWorker: ReferenceType {
    /// Sets a timer which executes a function once after the timer expires.
    ///
    /// [(JavaScript docs)](https://developer.mozilla.org/en-US/docs/Web/API/WindowOrWorkerGlobalScope/setTimeout)
    // https://html.spec.whatwg.org/#windoworworkerglobalscope-mixin:dom-settimeout
    fn set_timeout< F: FnOnce() + 'static >( &self, callback: F, timeout: u32 ) {
        let callback = Box::into_raw( Box::new( callback ) );
        __js_raw_asm!( "\
            Module.STDWEB_PRIVATE.acquire_js_reference( $0 ).setTimeout( function() {\
                Module.STDWEB_PRIVATE.dyncall( 'vi', $1, [$2] );\
            }, $3 );\
        ", self.as_ref().as_raw(), funcall_adapter::< F > as extern fn( *mut F ), callback, timeout );
    }

    /// Sets a timer which executes a function once after the timer expires and can be cleared
    ///
    /// [(JavaScript docs)](https://developer.mozilla.org/en-US/docs/Web/API/WindowOrWorkerGlobalScope/setTimeout)
    // https://html.spec.whatwg.org/#windoworworkerglobalscope-mixin:dom-settimeout
    fn set_clearable_timeout< F: FnOnce() + 'static >( &self, callback: F, timeout: u32 ) -> TimeoutHandle {
        TimeoutHandle(js! (
            const callback = @{Once(callback)};
            return {
                id: setTimeout(callback, @{timeout}),
                callback
            };
        ))
    }
}

#[derive(Debug)]
/// A reference to a timeout object created by set_clearable_timeout
pub struct TimeoutHandle(Value);

impl TimeoutHandle {
    /// Clears a timer previously established by set_clearable_timeout
    ///
    /// [(JavaScript docs)](https://developer.mozilla.org/en-US/docs/Web/API/WindowOrWorkerGlobalScope/clearTimeout)
    // https://html.spec.whatwg.org/#windoworworkerglobalscope-mixin:dom-clear-timeout
     pub fn clear( self ) {
        js! { @(no_return)
            var val = @{&self.0};
            clearTimeout(val.id);
            val.callback.drop();
        }
    }
}