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
use crate::error::Error;
use crate::module::{AddrDetails, GlobalSpec, HeapSpec, Module, ModuleInternal, TableElement};
use libc::c_void;
use libloading::Library;
use lucet_module::{
FunctionHandle, FunctionIndex, FunctionPointer, FunctionSpec, ModuleData, ModuleFeatures,
ModuleSignature, PublicKey, SerializedModule, Signature, VersionInfo, LUCET_MODULE_SYM,
};
use std::ffi::CStr;
use std::mem::MaybeUninit;
use std::path::Path;
use std::slice;
use std::slice::from_raw_parts;
use std::sync::Arc;
use raw_cpuid::CpuId;
fn check_feature_support(module_features: &ModuleFeatures) -> Result<(), Error> {
let cpuid = CpuId::new();
fn missing_feature(feature: &str) -> Error {
Error::Unsupported(format!(
"Module requires feature host does not support: {}",
feature
))
}
let info = cpuid
.get_feature_info()
.ok_or_else(|| Error::Unsupported("Unable to obtain host CPU feature info!".to_string()))?;
if module_features.sse3 && !info.has_sse3() {
return Err(missing_feature("SSE3"));
}
if module_features.ssse3 && !info.has_ssse3() {
return Err(missing_feature("SSS3"));
}
if module_features.sse41 && !info.has_sse41() {
return Err(missing_feature("SSE4.1"));
}
if module_features.sse42 && !info.has_sse42() {
return Err(missing_feature("SSE4.2"));
}
if module_features.avx && !info.has_avx() {
return Err(missing_feature("AVX"));
}
if module_features.popcnt && !info.has_popcnt() {
return Err(missing_feature("POPCNT"));
}
let info = cpuid.get_extended_feature_info().ok_or_else(|| {
Error::Unsupported("Unable to obtain host CPU extended feature info!".to_string())
})?;
if module_features.bmi1 && !info.has_bmi1() {
return Err(missing_feature("BMI1"));
}
if module_features.bmi2 && !info.has_bmi2() {
return Err(missing_feature("BMI2"));
}
let info = cpuid.get_extended_function_info().ok_or_else(|| {
Error::Unsupported("Unable to obtain host CPU extended function info!".to_string())
})?;
if module_features.lzcnt && !info.has_lzcnt() {
return Err(missing_feature("LZCNT"));
}
Ok(())
}
pub struct DlModule {
lib: Library,
fbase: *const c_void,
module: lucet_module::Module<'static>,
}
unsafe impl Send for DlModule {}
unsafe impl Sync for DlModule {}
impl DlModule {
pub fn load<P: AsRef<Path>>(so_path: P) -> Result<Arc<Self>, Error> {
Self::load_and_maybe_verify(so_path, None)
}
pub fn load_and_verify<P: AsRef<Path>>(so_path: P, pk: PublicKey) -> Result<Arc<Self>, Error> {
Self::load_and_maybe_verify(so_path, Some(pk))
}
fn load_and_maybe_verify<P: AsRef<Path>>(
so_path: P,
pk: Option<PublicKey>,
) -> Result<Arc<Self>, Error> {
let abs_so_path = so_path.as_ref().canonicalize().map_err(Error::DlError)?;
let lib = Library::new(abs_so_path.as_os_str()).map_err(Error::DlError)?;
let serialized_module_ptr = unsafe {
lib.get::<*const SerializedModule>(LUCET_MODULE_SYM.as_bytes())
.map_err(|e| {
lucet_incorrect_module!("error loading required symbol `lucet_module`: {}", e)
})?
};
let serialized_module: &SerializedModule =
unsafe { serialized_module_ptr.as_ref().unwrap() };
let module_version = serialized_module.version.clone();
let runtime_version =
VersionInfo::current(include_str!(concat!(env!("OUT_DIR"), "/commit_hash")).as_bytes());
if !module_version.valid() {
return Err(lucet_incorrect_module!("reserved bit is not set. This module is likely too old for this lucet-runtime to load."));
} else if !runtime_version.compatible_with(&module_version) {
return Err(lucet_incorrect_module!(
"version mismatch. module has version {}, while this runtime is version {}",
module_version,
runtime_version,
));
}
let module_data_slice: &'static [u8] = unsafe {
slice::from_raw_parts(
serialized_module.module_data_ptr as *const u8,
serialized_module.module_data_len as usize,
)
};
let module_data = ModuleData::deserialize(module_data_slice)?;
check_feature_support(module_data.features())?;
if let Some(pk) = pk {
ModuleSignature::verify(so_path, &pk, &module_data)?;
}
let fbase = if let Some(dli) =
dladdr(serialized_module as *const SerializedModule as *const c_void)
{
dli.dli_fbase
} else {
std::ptr::null()
};
if serialized_module.tables_len > std::u32::MAX as u64 {
lucet_incorrect_module!("table segment too long: {}", serialized_module.tables_len);
}
let tables: &'static [&'static [TableElement]] = unsafe {
from_raw_parts(
serialized_module.tables_ptr as *const &[TableElement],
serialized_module.tables_len as usize,
)
};
let function_manifest = if serialized_module.function_manifest_ptr != 0 {
unsafe {
from_raw_parts(
serialized_module.function_manifest_ptr as *const FunctionSpec,
serialized_module.function_manifest_len as usize,
)
}
} else {
&[]
};
Ok(Arc::new(DlModule {
lib,
fbase,
module: lucet_module::Module {
version: module_version,
module_data,
tables,
function_manifest,
},
}))
}
}
impl Module for DlModule {}
impl ModuleInternal for DlModule {
fn heap_spec(&self) -> Option<&HeapSpec> {
self.module.module_data.heap_spec()
}
fn globals(&self) -> &[GlobalSpec<'_>] {
self.module.module_data.globals_spec()
}
fn get_sparse_page_data(&self, page: usize) -> Option<&[u8]> {
if let Some(ref sparse_data) = self.module.module_data.sparse_data() {
*sparse_data.get_page(page)
} else {
None
}
}
fn sparse_page_data_len(&self) -> usize {
self.module
.module_data
.sparse_data()
.map(|d| d.len())
.unwrap_or(0)
}
fn table_elements(&self) -> Result<&[TableElement], Error> {
match self.module.tables.get(0) {
Some(table) => Ok(table),
None => Err(lucet_incorrect_module!("table 0 is not present")),
}
}
fn get_export_func(&self, sym: &str) -> Result<FunctionHandle, Error> {
self.module
.module_data
.get_export_func_id(sym)
.ok_or_else(|| Error::SymbolNotFound(sym.to_string()))
.map(|id| {
let ptr = self.function_manifest()[id.as_u32() as usize].ptr();
FunctionHandle { ptr, id }
})
}
fn get_func_from_idx(&self, table_id: u32, func_id: u32) -> Result<FunctionHandle, Error> {
if table_id != 0 {
return Err(Error::FuncNotFound(table_id, func_id));
}
let table = self.table_elements()?;
let func = table
.get(func_id as usize)
.map(|element| element.function_pointer())
.ok_or(Error::FuncNotFound(table_id, func_id))?;
Ok(self.function_handle_from_ptr(func))
}
fn get_start_func(&self) -> Result<Option<FunctionHandle>, Error> {
if let Ok(start_func) = unsafe { self.lib.get::<*const extern "C" fn()>(b"guest_start") } {
if start_func.is_null() {
lucet_incorrect_module!("`guest_start` is defined but null");
}
Ok(Some(self.function_handle_from_ptr(
FunctionPointer::from_usize(unsafe { **start_func } as usize),
)))
} else {
Ok(None)
}
}
fn function_manifest(&self) -> &[FunctionSpec] {
self.module.function_manifest
}
fn addr_details(&self, addr: *const c_void) -> Result<Option<AddrDetails>, Error> {
if let Some(dli) = dladdr(addr) {
let file_name = if dli.dli_fname.is_null() {
None
} else {
Some(unsafe { CStr::from_ptr(dli.dli_fname).to_owned().into_string()? })
};
let sym_name = if dli.dli_sname.is_null() {
None
} else {
Some(unsafe { CStr::from_ptr(dli.dli_sname).to_owned().into_string()? })
};
Ok(Some(AddrDetails {
in_module_code: dli.dli_fbase as *const c_void == self.fbase,
file_name,
sym_name,
}))
} else {
Ok(None)
}
}
fn get_signature(&self, fn_id: FunctionIndex) -> &Signature {
self.module.module_data.get_signature(fn_id)
}
}
fn dladdr(addr: *const c_void) -> Option<libc::Dl_info> {
let mut info = MaybeUninit::<libc::Dl_info>::uninit();
let res = unsafe { libc::dladdr(addr, info.as_mut_ptr()) };
if res != 0 {
Some(unsafe { info.assume_init() })
} else {
None
}
}