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
use criterion::{measurement::Measurement, Criterion};
use move_binary_format::CompiledModule;
use move_core_types::{
account_address::AccountAddress,
identifier::{IdentStr, Identifier},
language_storage::{ModuleId, CORE_CODE_ADDRESS},
};
use move_lang::{compiled_unit::AnnotatedCompiledUnit, Compiler, Flags};
use move_vm_runtime::move_vm::MoveVM;
use move_vm_test_utils::BlankStorage;
use move_vm_types::gas_schedule::GasStatus;
use once_cell::sync::Lazy;
use std::path::PathBuf;
static MOVE_BENCH_SRC_PATH: Lazy<PathBuf> = Lazy::new(|| {
vec![env!("CARGO_MANIFEST_DIR"), "src", "bench.move"]
.into_iter()
.collect()
});
pub fn bench<M: Measurement + 'static>(c: &mut Criterion<M>, fun: &str) {
let modules = compile_modules();
let move_vm = MoveVM::new(move_stdlib::natives::all_natives(
AccountAddress::from_hex_literal("0x1").unwrap(),
))
.unwrap();
execute(c, &move_vm, modules, fun);
}
fn compile_modules() -> Vec<CompiledModule> {
let mut src_files = move_stdlib::move_stdlib_files();
src_files.push(MOVE_BENCH_SRC_PATH.to_str().unwrap().to_owned());
let (_files, compiled_units) = Compiler::new(&src_files, &[])
.set_flags(Flags::empty().set_sources_shadow_deps(false))
.set_named_address_values(move_stdlib::move_stdlib_named_addresses())
.build_and_report()
.expect("Error compiling...");
compiled_units
.into_iter()
.map(|unit| match unit {
AnnotatedCompiledUnit::Module(annot_unit) => annot_unit.named_module.module,
AnnotatedCompiledUnit::Script(_) => {
panic!("Expected a module but received a script")
}
})
.collect()
}
fn execute<M: Measurement + 'static>(
c: &mut Criterion<M>,
move_vm: &MoveVM,
modules: Vec<CompiledModule>,
fun: &str,
) {
let storage = BlankStorage::new();
let sender = CORE_CODE_ADDRESS;
let mut session = move_vm.new_session(&storage);
let mut gas_status = GasStatus::new_unmetered();
for module in modules {
let mut mod_blob = vec![];
module
.serialize(&mut mod_blob)
.expect("Module serialization error");
session
.publish_module(mod_blob, sender, &mut gas_status)
.expect("Module must load");
}
let module_id = ModuleId::new(sender, Identifier::new("Bench").unwrap());
let fun_name = IdentStr::new(fun).unwrap_or_else(|_| panic!("Invalid identifier name {}", fun));
c.bench_function(fun, |b| {
b.iter(|| {
session
.execute_function(&module_id, fun_name, vec![], vec![], &mut gas_status)
.unwrap_or_else(|err| {
panic!(
"{:?}::{} failed with {:?}",
&module_id,
fun,
err.into_vm_status()
)
})
})
});
}