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 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341
use std::{
cell::RefCell,
rc::Rc,
sync::atomic::{AtomicBool, Ordering},
};
use js_sys::Reflect;
use wasm_bindgen::prelude::*;
use web_sys::{window, Blob, BlobPropertyBag, Url, Worker};
use crate::runtime::{is_chrome_extension, is_cross_origin_isolated, is_web};
pub struct TimerManager {
worker: Worker, // Used to run the JavaScript code in a separate thread
next_id: u32, // Used to generate unique IDs for intervals and timeouts
callbacks: js_sys::Map, // Used to store the callbacks that will be called when the interval/timeout is triggered
}
impl TimerManager {
pub fn new() -> TimerManager {
// The JavaScript code that will run in the worker
// It listens for messages and sets/clears intervals and timeouts
let code = r#"
var idMap = {};
self.addEventListener('message', function(event) {
let { name, id, time } = event.data;
switch (name) {
case 'setInterval':
idMap[id] = setInterval(function () {
postMessage({ id });
}, time);
break;
case 'clearInterval':
if (idMap.hasOwnProperty(id)) {
clearInterval(idMap[id]);
delete idMap[id];
}
break;
case 'setTimeout':
idMap[id] = setTimeout(function () {
postMessage({ id });
if (idMap.hasOwnProperty(id)) {
delete idMap[id];
}
}, time);
break;
case 'clearTimeout':
if (idMap.hasOwnProperty(id)) {
clearTimeout(idMap[id]);
delete idMap[id];
}
break;
}
});
"#;
// Create a blob from the code
let blob_parts = js_sys::Array::new();
// Convert the code to a blob
blob_parts.push(&JsValue::from_str(code));
// Create a blob with the code
let blob = Blob::new_with_str_sequence_and_options(
&blob_parts.into(), // Convert the array to a sequence
BlobPropertyBag::new().type_("application/javascript"), // Set the type to JavaScript
)
.expect("failed to create blob");
// Create a URL for the blob
let url = Url::create_object_url_with_blob(&blob).expect("failed to create URL for blob");
// Create a worker with the URL of the blob
let worker = Worker::new(&url).expect("failed to create worker");
// Create a map to store the callbacks that will be called when the interval/timeout is triggered
let callbacks = js_sys::Map::new();
// Clone the worker and callbacks so they can be used in the closure
let worker_clone = worker.clone();
let callbacks_clone = callbacks.clone();
// Create a closure that will be called when the worker sends a message
let closure = Closure::wrap(Box::new(move |event: web_sys::MessageEvent| {
// The worker sends an object with the name of the function to call and the ID of the interval/timeout
if let Ok(id) = js_sys::Reflect::get(&event.data(), &JsValue::from_str("id")) {
// Get the callback function from the map
let callback = callbacks_clone.get(&id);
// Check if the callback is defined
let undefined = callback.is_undefined();
if !undefined {
// If the callback is defined, call it
if let Some(func) = callback.dyn_ref::<js_sys::Function>() {
func.call0(&JsValue::NULL).unwrap();
}
}
}
}) as Box<dyn FnMut(_)>); // As a Box<dyn FnMut(_)> type which is a function that takes a single argument
// Set the closure as the onmessage handler for the worker
worker_clone.set_onmessage(Some(closure.as_ref().unchecked_ref()));
// Forget the closure so it is not deallocated from memory
closure.forget();
TimerManager {
worker,
next_id: 1,
callbacks,
}
}
/// Replacement for setInterval
pub fn set_interval(&mut self, callback: &JsValue, time: u32) -> u32 {
// Get the current ID and increment it
let id = self.next_id;
self.next_id += 1;
// Store the callback in the map with the ID as the key
self.callbacks.set(&JsValue::from(id), callback);
let request = js_sys::Object::new();
// Set the name of the function to call which is setInterval
js_sys::Reflect::set(
&request,
&JsValue::from("name"),
&JsValue::from("setInterval"),
)
.unwrap();
// Set the ID of the interval
js_sys::Reflect::set(&request, &JsValue::from("id"), &JsValue::from(id)).unwrap();
// Set the time of the interval
js_sys::Reflect::set(&request, &JsValue::from("time"), &JsValue::from(time)).unwrap();
// Post the message to the worker
self.worker.post_message(&request).unwrap();
// Return the ID of the interval
id
}
pub fn clear_interval(&mut self, id: u32) {
let request = js_sys::Object::new();
// Set the name of the function to call which is clearInterval
js_sys::Reflect::set(
&request,
&JsValue::from("name"),
&JsValue::from("clearInterval"),
)
.unwrap();
// Set the ID of the interval
js_sys::Reflect::set(&request, &JsValue::from("id"), &JsValue::from(id)).unwrap();
// Post the message to the worker
self.worker.post_message(&request).unwrap();
// Delete the callback from the map
self.callbacks.delete(&JsValue::from(id));
}
pub fn set_timeout(&mut self, callback: &JsValue, time: u32) -> u32 {
// Since we are adding a new function, we need to increment the ID
let id = self.next_id;
self.next_id += 1;
// Store the callback in the map with the ID as the key
self.callbacks.set(&JsValue::from(id), callback);
let request = js_sys::Object::new();
// Set the name of the function to call which is setTimeout
js_sys::Reflect::set(
&request,
&JsValue::from("name"),
&JsValue::from("setTimeout"),
)
.unwrap();
// Set the ID of the timeout
js_sys::Reflect::set(&request, &JsValue::from("id"), &JsValue::from(id)).unwrap();
// Set the time of the timeout
js_sys::Reflect::set(&request, &JsValue::from("time"), &JsValue::from(time)).unwrap();
// Post the message to the worker
self.worker.post_message(&request).unwrap();
id
}
pub fn clear_timeout(&mut self, id: u32) {
// Create a new object to send to the worker
let request = js_sys::Object::new();
// Set the name of the function to call which is clearTimeout
js_sys::Reflect::set(
&request,
&JsValue::from("name"),
&JsValue::from("clearTimeout"),
)
.unwrap();
// Set the ID of the timeout
js_sys::Reflect::set(&request, &JsValue::from("id"), &JsValue::from(id)).unwrap();
self.worker.post_message(&request).unwrap();
// Delete the callback from the map
self.callbacks.delete(&JsValue::from(id));
}
}
impl Default for TimerManager {
fn default() -> Self {
Self::new()
}
}
static INITIALIZED: AtomicBool = AtomicBool::new(false);
static DISABLED: AtomicBool = AtomicBool::new(false);
#[allow(dead_code)]
pub fn disable_persistent_timer_overrides() {
DISABLED.store(true, Ordering::Relaxed);
}
pub fn init_timer_overrides() -> Result<(), String> {
// If already initialized exit
if INITIALIZED.load(Ordering::Relaxed) {
return Ok(());
} else {
INITIALIZED.store(true, Ordering::Relaxed);
}
// If disabled exit
if DISABLED.load(Ordering::Relaxed) {
return Ok(());
}
// Persistent timers shall only be injected in a web context.
if !is_web() || is_cross_origin_isolated() || is_chrome_extension() {
DISABLED.store(true, Ordering::Relaxed);
return Ok(());
}
// Get the global window object
let window = window().unwrap();
if Reflect::get(&window, &JsValue::from_str("__persistent_timers")).is_err() {
// This means __persistent_timers is not yet set, so we set it.
let _ = Reflect::set(
&window,
&JsValue::from_str("__persistent_timers"),
&JsValue::from(true),
)
.map_err(|err| err.as_string());
} else {
// Do not allow initializing persistent timers if already set.
return Ok(());
}
// Create a new TimerManager and wrap it in an Rc<RefCell<_>> so
// that it can be shared across functions and still share mutable state.
let timer_manager = Rc::new(RefCell::new(TimerManager::new()));
// Wrap the setInterval function so it returns the timer ID
let set_interval_closure = {
let timer_manager = timer_manager.clone();
Closure::wrap(Box::new(move |callback: JsValue, time: u32| -> JsValue {
let id = timer_manager.borrow_mut().set_interval(&callback, time);
JsValue::from_f64(id as f64) // Convert the ID to JsValue and return
}) as Box<dyn FnMut(JsValue, u32) -> JsValue>)
};
// Override the setInterval function on the window object
js_sys::Reflect::set(
&window,
&JsValue::from("setInterval"),
set_interval_closure.as_ref(),
)
.expect("Unable to override setInterval");
// Wrap the clearInterval function
let clear_interval_closure = {
let timer_manager = timer_manager.clone();
Closure::wrap(Box::new(move |id: u32| {
timer_manager.borrow_mut().clear_interval(id);
}) as Box<dyn FnMut(u32)>)
};
// Override the clearInterval function on the window object
js_sys::Reflect::set(
&window,
&JsValue::from("clearInterval"),
clear_interval_closure.as_ref(),
)
.expect("Unable to override clearInterval");
// Wrap the setTimeout function so it returns the timer ID
let set_timeout_closure = {
let timer_manager = timer_manager.clone();
Closure::wrap(Box::new(move |callback: JsValue, time: u32| -> JsValue {
let id = timer_manager.borrow_mut().set_timeout(&callback, time);
JsValue::from_f64(id as f64) // Convert the ID to JsValue and return
}) as Box<dyn FnMut(JsValue, u32) -> JsValue>)
};
// Override the setTimeout function on the window object
js_sys::Reflect::set(
&window,
&JsValue::from("setTimeout"),
set_timeout_closure.as_ref(),
)
.expect("Unable to override setTimeout");
// Wrap the clearTimeout function
let clear_timeout_closure = {
let timer_manager = timer_manager.clone();
Closure::wrap(Box::new(move |id: u32| {
timer_manager.borrow_mut().clear_timeout(id);
}) as Box<dyn FnMut(u32)>)
};
// Override the clearTimeout function on the window object
js_sys::Reflect::set(
&window,
&JsValue::from("clearTimeout"),
clear_timeout_closure.as_ref(),
)
.expect("Unable to override clearTimeout");
// Ensure Closures are kept alive long enough
set_interval_closure.forget();
clear_interval_closure.forget();
set_timeout_closure.forget();
clear_timeout_closure.forget();
Ok(())
}