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
use std::time::{Duration, Instant};
use libc::c_void;
use error::*;
use chakracore_sys::*;
use util::jstry;
pub type CollectCallback = Fn() + Send;
pub struct Builder {
memory_limit: Option<usize>,
collect_callback: Option<Box<CollectCallback>>,
attributes: JsRuntimeAttributes,
}
pub struct Runtime {
#[allow(dead_code)]
callback: Option<Box<Box<CollectCallback>>>,
handle: JsRuntimeHandle,
last_idle_tick: Option<Duration>,
last_idle: Option<Instant>,
}
impl Runtime {
pub fn new() -> Result<Runtime> {
Self::builder().build()
}
pub fn builder() -> Builder {
Builder {
memory_limit: None,
collect_callback: None,
attributes: JsRuntimeAttributeNone,
}
}
pub fn collect(&self) -> Result<()> {
jstry(unsafe { JsCollectGarbage(self.as_raw()) })
}
pub fn run_idle_tasks(&mut self) -> Result<bool> {
let should_idle = self.last_idle.map_or(true, |before| {
Instant::now().duration_since(before) >= self.last_idle_tick.unwrap()
});
if should_idle {
let mut ticks = 0;
jstry!(unsafe { JsIdle(&mut ticks) });
self.last_idle_tick = Some(Duration::from_millis(ticks as u64));
self.last_idle = Some(Instant::now());
}
Ok(should_idle)
}
pub fn get_memory_usage(&self) -> usize {
let mut usage = 0;
jsassert!(unsafe { JsGetRuntimeMemoryUsage(self.as_raw(), &mut usage) });
usage
}
pub fn as_raw(&self) -> JsRuntimeHandle {
self.handle
}
unsafe extern "system" fn before_collect(data: *mut c_void) {
let callback = data as *mut Box<CollectCallback>;
(*callback)();
}
}
impl Drop for Runtime {
fn drop(&mut self) {
unsafe {
jsassert!(JsDisposeRuntime(self.as_raw()));
}
}
}
macro_rules! attr {
($name:ident, $attribute:ident, $doc:expr) => {
#[doc=$doc]
pub fn $name(mut self) -> Self {
self.attributes = self.attributes | $attribute;
self
}
};
}
impl Builder {
attr!(disable_background_work,
JsRuntimeAttributeDisableBackgroundWork,
"Disable the runtime from doing any work on background threads.");
attr!(disable_eval,
JsRuntimeAttributeDisableEval,
"Disable `eval` and `function` by throwing an exception upon use.");
attr!(disable_jit,
JsRuntimeAttributeDisableNativeCodeGeneration,
"Disable just-in-time compilation.");
attr!(enable_experimental,
JsRuntimeAttributeEnableExperimentalFeatures,
"Allow experimental JavaScript features.");
attr!(enable_script_interrupt,
JsRuntimeAttributeAllowScriptInterrupt,
"Allow script interrupt.");
attr!(dispatch_exceptions,
JsRuntimeAttributeDispatchSetExceptionsToDebugger,
"Dispatch exceptions to any attached JavaScript debuggers.");
attr!(supports_idle_tasks,
JsRuntimeAttributeEnableIdleProcessing,
"Enable idle processing. `run_idle_tasks` must be called regularly.");
pub fn memory_limit(mut self, limit: usize) -> Self {
self.memory_limit = Some(limit);
self
}
pub fn collect_callback(mut self, callback: Box<CollectCallback>) -> Self {
self.collect_callback = Some(callback);
self
}
pub fn build(self) -> Result<Runtime> {
let mut handle = JsRuntimeHandle::new();
jstry!(unsafe { JsCreateRuntime(self.attributes, None, &mut handle) });
if let Some(limit) = self.memory_limit {
jstry!(unsafe { JsSetRuntimeMemoryLimit(handle, limit) });
}
let collect = self.collect_callback.map(|callback| unsafe {
let wrapper = Box::into_raw(Box::new(callback));
jsassert!(JsSetRuntimeBeforeCollectCallback(
handle,
wrapper as *mut _,
Some(Runtime::before_collect)));
Box::from_raw(wrapper)
});
Ok(Runtime {
last_idle: None,
last_idle_tick: None,
handle: handle,
callback: collect,
})
}
}
#[cfg(test)]
mod tests {
use std::thread;
use std::sync::{Arc, Mutex};
use {test, script, Runtime, Context};
#[test]
fn minimal() {
test::run_with_context(|guard| {
let result = script::eval(guard, "5 + 5").unwrap();
assert_eq!(result.to_integer(guard), 10);
});
}
#[test]
fn collect_callback() {
let called = Arc::new(Mutex::new(false));
{
let called = called.clone();
let runtime = Runtime::builder()
.collect_callback(Box::new(move || *called.lock().unwrap() = true))
.build()
.unwrap();
runtime.collect().unwrap();
}
assert!(*called.lock().unwrap());
}
#[test]
fn thread_send() {
let runtime = Runtime::new().unwrap();
let context = Context::new(&runtime).unwrap();
let result = {
let guard = context.make_current().unwrap();
script::eval(&guard, "[5, 'foo', {}]")
.unwrap()
.into_array()
.unwrap()
};
thread::spawn(move || {
let guard = context.make_current().unwrap();
assert_eq!(result.len(&guard), 3);
}).join().unwrap();
}
}