-
Notifications
You must be signed in to change notification settings - Fork 11
/
Copy pathengine.rs
386 lines (327 loc) · 12.1 KB
/
engine.rs
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
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
use anyhow::{anyhow, Result};
use rust_embed::RustEmbed;
use std::string::String;
use std::{collections::HashSet, io::Cursor, path::PathBuf};
use wasi_common::{I32Exit, WasiCtx};
use wasmtime::{AsContextMut, Config, Engine, Linker, Module, ResourceLimiter, Store};
use crate::function_run_result::{
FunctionOutput::{self, InvalidJsonOutput, JsonOutput},
FunctionRunResult, InvalidOutput,
};
#[derive(Clone)]
pub struct ProfileOpts {
pub interval: u32,
pub out: PathBuf,
}
#[derive(RustEmbed)]
#[folder = "providers/"]
struct StandardProviders;
fn import_modules<T>(
module: &Module,
engine: &Engine,
linker: &mut Linker<T>,
mut store: &mut Store<T>,
) {
let imported_modules: HashSet<String> =
module.imports().map(|i| i.module().to_string()).collect();
imported_modules.iter().for_each(|module_name| {
let imported_module_bytes = StandardProviders::get(&format!("{module_name}.wasm"));
if let Some(bytes) = imported_module_bytes {
let imported_module = Module::from_binary(engine, &bytes.data)
.unwrap_or_else(|_| panic!("Failed to load module {module_name}"));
let imported_module_instance = linker
.instantiate(&mut store, &imported_module)
.expect("Failed to instantiate imported instance");
linker
.instance(&mut store, module_name, imported_module_instance)
.expect("Failed to import module");
}
});
}
#[derive(Default)]
pub struct FunctionRunParams<'a> {
pub function_path: PathBuf,
pub input: Vec<u8>,
pub export: &'a str,
pub profile_opts: Option<&'a ProfileOpts>,
pub scale_factor: f64,
}
const STARTING_FUEL: u64 = u64::MAX;
const MAXIMUM_MEMORIES: usize = 2; // 1 for the module, 1 for Javy's provider
struct FunctionContext {
wasi: WasiCtx,
limiter: MemoryLimiter,
}
impl FunctionContext {
fn new(wasi: WasiCtx) -> Self {
Self {
wasi,
limiter: Default::default(),
}
}
fn max_memory_bytes(&self) -> usize {
self.limiter.max_memory_bytes
}
}
#[derive(Default)]
pub struct MemoryLimiter {
max_memory_bytes: usize,
}
impl ResourceLimiter for MemoryLimiter {
/// See [`wasmtime::ResourceLimiter::memory_growing`].
fn memory_growing(
&mut self,
_current: usize,
desired: usize,
_maximum: Option<usize>,
) -> anyhow::Result<bool> {
self.max_memory_bytes = std::cmp::max(self.max_memory_bytes, desired);
Ok(true)
}
/// See [`wasmtime::ResourceLimiter::table_growing`].
fn table_growing(
&mut self,
_current: usize,
_desired: usize,
_maximum: Option<usize>,
) -> anyhow::Result<bool> {
Ok(true)
}
fn memories(&self) -> usize {
MAXIMUM_MEMORIES
}
}
pub fn run(params: FunctionRunParams) -> Result<FunctionRunResult> {
let FunctionRunParams {
function_path,
input,
export,
profile_opts,
scale_factor,
} = params;
let engine = Engine::new(
Config::new()
.wasm_multi_memory(true)
.wasm_threads(false)
.consume_fuel(true)
.epoch_interruption(true),
)?;
let module = Module::from_file(&engine, &function_path)
.map_err(|e| anyhow!("Couldn't load the Function {:?}: {}", &function_path, e))?;
let input_stream = wasi_common::pipe::ReadPipe::new(Cursor::new(input.clone()));
let output_stream = wasi_common::pipe::WritePipe::new_in_memory();
let error_stream = wasi_common::pipe::WritePipe::new_in_memory();
let memory_usage: u64;
let instructions: u64;
let mut error_logs: String = String::new();
let mut module_result: Result<(), anyhow::Error>;
let profile_data: Option<String>;
{
let mut linker = Linker::new(&engine);
wasi_common::sync::add_to_linker(&mut linker, |ctx: &mut FunctionContext| &mut ctx.wasi)?;
let wasi = deterministic_wasi_ctx::build_wasi_ctx();
wasi.set_stdin(Box::new(input_stream));
wasi.set_stdout(Box::new(output_stream.clone()));
wasi.set_stderr(Box::new(error_stream.clone()));
let function_context = FunctionContext::new(wasi);
let mut store = Store::new(&engine, function_context);
store.limiter(|s| &mut s.limiter);
store.set_fuel(STARTING_FUEL)?;
store.set_epoch_deadline(1);
import_modules(&module, &engine, &mut linker, &mut store);
linker.module(&mut store, "Function", &module)?;
let instance = linker.instantiate(&mut store, &module)?;
let func = instance.get_typed_func::<(), ()>(store.as_context_mut(), export)?;
(module_result, profile_data) = if let Some(profile_opts) = profile_opts {
let (result, profile_data) = wasmprof::ProfilerBuilder::new(&mut store)
.frequency(profile_opts.interval)
.weight_unit(wasmprof::WeightUnit::Fuel)
.profile(|store| func.call(store.as_context_mut(), ()));
(
result,
Some(profile_data.into_collapsed_stacks().to_string()),
)
} else {
(func.call(store.as_context_mut(), ()), None)
};
// modules may exit with a specific exit code, an exit code of 0 is considered success but is reported as
// a GuestFault by wasmtime, so we need to map it to a success result. Any other exit code is considered
// a failure.
module_result =
module_result.or_else(|error| match error.downcast_ref::<wasi_common::I32Exit>() {
Some(I32Exit(0)) => Ok(()),
Some(I32Exit(code)) => Err(anyhow!("module exited with code: {}", code)),
None => Err(error),
});
memory_usage = store.data().max_memory_bytes() as u64 / 1024;
instructions = STARTING_FUEL.saturating_sub(store.get_fuel().unwrap_or_default());
match module_result {
Ok(_) => {}
Err(ref e) => {
error_logs = e.to_string();
}
}
};
let mut logs = error_stream
.try_into_inner()
.expect("Log stream reference still exists")
.into_inner();
logs.extend_from_slice(error_logs.as_bytes());
let raw_output = output_stream
.try_into_inner()
.expect("Output stream reference still exists")
.into_inner();
let output: FunctionOutput = match serde_json::from_slice(&raw_output) {
Ok(json_output) => JsonOutput(json_output),
Err(error) => InvalidJsonOutput(InvalidOutput {
stdout: std::str::from_utf8(&raw_output)
.map_err(|e| anyhow!("Couldn't print Function Output: {}", e))
.unwrap()
.to_owned(),
error: error.to_string(),
}),
};
let name = function_path.file_name().unwrap().to_str().unwrap();
let size = function_path.metadata()?.len() / 1024;
let parsed_input =
String::from_utf8(input).map_err(|e| anyhow!("Couldn't parse input: {}", e))?;
let function_run_input = serde_json::from_str(&parsed_input)?;
let function_run_result = FunctionRunResult {
name: name.to_string(),
size,
memory_usage,
instructions,
logs: String::from_utf8_lossy(&logs).into(),
input: function_run_input,
output,
profile: profile_data,
scale_factor,
success: module_result.is_ok(),
};
Ok(function_run_result)
}
#[cfg(test)]
mod tests {
use colored::Colorize;
use serde_json::json;
use super::*;
use std::path::Path;
const DEFAULT_EXPORT: &str = "_start";
#[test]
fn test_js_function() {
let input = include_bytes!("../tests/fixtures/input/js_function_input.json").to_vec();
let function_run_result = run(FunctionRunParams {
function_path: Path::new("tests/fixtures/build/js_function.wasm").to_path_buf(),
input,
export: DEFAULT_EXPORT,
..Default::default()
});
assert!(function_run_result.is_ok());
assert_eq!(function_run_result.unwrap().memory_usage, 1280);
}
#[test]
fn test_js_v2_function() {
let input = include_bytes!("../tests/fixtures/input/js_function_input.json").to_vec();
let function_run_result = run(FunctionRunParams {
function_path: Path::new("tests/fixtures/build/js_function_v2.wasm").to_path_buf(),
input,
export: DEFAULT_EXPORT,
..Default::default()
});
assert!(function_run_result.is_ok());
assert_eq!(function_run_result.unwrap().memory_usage, 1344);
}
#[test]
fn test_js_v3_function() {
let input = include_bytes!("../tests/fixtures/input/js_function_input.json").to_vec();
let function_run_result = run(FunctionRunParams {
function_path: Path::new("tests/fixtures/build/js_function_v3.wasm").to_path_buf(),
input,
export: DEFAULT_EXPORT,
..Default::default()
});
assert!(function_run_result.is_ok());
assert_eq!(function_run_result.unwrap().memory_usage, 1344);
}
#[test]
fn test_js_functions_javy_v1() {
let input = include_bytes!("../tests/fixtures/input/js_function_input.json").to_vec();
let function_run_result = run(FunctionRunParams {
function_path: Path::new("tests/fixtures/build/js_functions_javy_v1.wasm")
.to_path_buf(),
input,
export: DEFAULT_EXPORT,
..Default::default()
});
assert!(function_run_result.is_ok());
assert_eq!(function_run_result.unwrap().memory_usage, 1344);
}
#[test]
fn test_exit_code_zero() {
let function_run_result = run(FunctionRunParams {
function_path: Path::new("tests/fixtures/build/exit_code.wasm").to_path_buf(),
input: json!({ "code": 0 }).to_string().into(),
export: DEFAULT_EXPORT,
..Default::default()
})
.unwrap();
assert_eq!(function_run_result.logs, "");
}
#[test]
fn test_exit_code_one() {
let function_run_result = run(FunctionRunParams {
function_path: Path::new("tests/fixtures/build/exit_code.wasm").to_path_buf(),
input: json!({ "code": 1 }).to_string().into(),
export: DEFAULT_EXPORT,
..Default::default()
})
.unwrap();
assert_eq!(function_run_result.logs, "module exited with code: 1");
}
#[test]
fn test_linear_memory_usage_in_kb() {
let function_run_result = run(FunctionRunParams {
function_path: Path::new("tests/fixtures/build/linear_memory.wasm").to_path_buf(),
input: "{}".as_bytes().to_vec(),
export: DEFAULT_EXPORT,
..Default::default()
})
.unwrap();
assert_eq!(function_run_result.memory_usage, 12800); // 200 * 64KiB pages
}
#[test]
fn test_logs_truncation() {
let input = "{}".as_bytes().to_vec();
let function_run_result = run(FunctionRunParams {
function_path: Path::new("tests/fixtures/build/log_truncation_function.wasm")
.to_path_buf(),
input,
export: DEFAULT_EXPORT,
..Default::default()
})
.unwrap();
assert!(
function_run_result.to_string().contains(
&"Logs would be truncated in production, length 6000 > 1000 limit"
.red()
.to_string()
),
"Expected logs to be truncated, but were: {function_run_result}"
);
}
#[test]
fn test_file_size_in_kb() {
let file_path = Path::new("tests/fixtures/build/exit_code.wasm");
let function_run_result = run(FunctionRunParams {
function_path: file_path.to_path_buf(),
input: json!({ "code": 0 }).to_string().into(),
export: DEFAULT_EXPORT,
..Default::default()
})
.unwrap();
assert_eq!(
function_run_result.size,
file_path.metadata().unwrap().len() / 1024
);
}
}