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
//! Interfaces for accessing instance data from hostcalls. //! //! This module contains both a Rust-friendly API ([`Vmctx`](struct.Vmctx.html)) as well as C-style //! exports for compatibility with hostcalls written against `lucet-runtime-c`. pub use crate::c_api::lucet_vmctx; use crate::alloc::instance_heap_offset; use crate::context::Context; use crate::error::Error; use crate::instance::{ Instance, InstanceInternal, State, TerminationDetails, CURRENT_INSTANCE, HOST_CTX, }; use lucet_module_data::{FunctionHandle, GlobalValue}; use std::any::Any; use std::borrow::{Borrow, BorrowMut}; use std::cell::{Ref, RefCell, RefMut}; /// An opaque handle to a running instance's context. #[derive(Debug)] pub struct Vmctx { vmctx: *mut lucet_vmctx, /// A view of the underlying instance's heap. /// /// This must never be dropped automatically, as the view does not own the heap. Rather, this is /// a value used to implement dynamic borrowing of the heap contents that are owned and managed /// by the instance and its `Alloc`. heap_view: RefCell<Box<[u8]>>, /// A view of the underlying instance's globals. /// /// This must never be dropped automatically, as the view does not own the globals. Rather, this /// is a value used to implement dynamic borrowing of the globals that are owned and managed by /// the instance and its `Alloc`. globals_view: RefCell<Box<[GlobalValue]>>, } impl Drop for Vmctx { fn drop(&mut self) { let heap_view = self.heap_view.replace(Box::new([])); let globals_view = self.globals_view.replace(Box::new([])); // as described in the definition of `Vmctx`, we cannot allow the boxed views of the heap // and globals to be dropped Box::leak(heap_view); Box::leak(globals_view); } } pub trait VmctxInternal { /// Get a reference to the `Instance` for this guest. fn instance(&self) -> &Instance; /// Get a mutable reference to the `Instance` for this guest. /// /// ### Safety /// /// Using this method, you could hold on to multiple mutable references to the same /// `Instance`. Only use one at a time! This method does not take `&mut self` because otherwise /// you could not use orthogonal `&mut` refs that come from `Vmctx`, like the heap or /// terminating the instance. unsafe fn instance_mut(&self) -> &mut Instance; } impl VmctxInternal for Vmctx { fn instance(&self) -> &Instance { unsafe { instance_from_vmctx(self.vmctx) } } unsafe fn instance_mut(&self) -> &mut Instance { instance_from_vmctx(self.vmctx) } } impl Vmctx { /// Create a `Vmctx` from the compiler-inserted `vmctx` argument in a guest function. /// /// This is almost certainly not what you want to use to get a `Vmctx`; instead use the `&mut /// Vmctx` argument to a `lucet_hostcalls!`-wrapped function. pub unsafe fn from_raw(vmctx: *mut lucet_vmctx) -> Vmctx { let inst = instance_from_vmctx(vmctx); assert!(inst.valid_magic()); let res = Vmctx { vmctx, heap_view: RefCell::new(Box::<[u8]>::from_raw(inst.heap_mut())), globals_view: RefCell::new(Box::<[GlobalValue]>::from_raw(inst.globals_mut())), }; res } /// Return the underlying `vmctx` pointer. pub fn as_raw(&self) -> *mut lucet_vmctx { self.vmctx } /// Return the WebAssembly heap as a slice of bytes. /// /// If the heap is already mutably borrowed by `heap_mut()`, the instance will /// terminate with `TerminationDetails::BorrowError`. pub fn heap(&self) -> Ref<'_, [u8]> { unsafe { self.reconstitute_heap_view_if_needed(); } let r = self .heap_view .try_borrow() .unwrap_or_else(|_| panic!(TerminationDetails::BorrowError("heap"))); Ref::map(r, |b| b.borrow()) } /// Return the WebAssembly heap as a mutable slice of bytes. /// /// If the heap is already borrowed by `heap()` or `heap_mut()`, the instance will terminate /// with `TerminationDetails::BorrowError`. pub fn heap_mut(&self) -> RefMut<'_, [u8]> { unsafe { self.reconstitute_heap_view_if_needed(); } let r = self .heap_view .try_borrow_mut() .unwrap_or_else(|_| panic!(TerminationDetails::BorrowError("heap_mut"))); RefMut::map(r, |b| b.borrow_mut()) } /// Check whether the heap has grown, and replace the heap view if it has. /// /// This handles the case where `Vmctx::grow_memory()` and `Vmctx::heap()` are called in /// sequence. Since `Vmctx::grow_memory()` takes `&mut self`, heap references cannot live across /// it. /// /// TODO: There is still an unsound case, though, when a heap reference is held across a call /// back into the guest via `Vmctx::get_func_from_idx()`. That guest code may grow the heap as /// well, causing any outstanding heap references to become invalid. We will address this when /// we rework the interface for calling back into the guest. unsafe fn reconstitute_heap_view_if_needed(&self) { let inst = self.instance_mut(); if inst.heap_mut().len() != self.heap_view.borrow().len() { let old_heap_view = self .heap_view .replace(Box::<[u8]>::from_raw(inst.heap_mut())); // as described in the definition of `Vmctx`, we cannot allow the boxed view of the heap // to be dropped Box::leak(old_heap_view); } } /// Check whether a given range in the host address space overlaps with the memory that backs /// the instance heap. pub fn check_heap<T>(&self, ptr: *const T, len: usize) -> bool { self.instance().check_heap(ptr, len) } /// Check whether a context value of a particular type exists. pub fn contains_embed_ctx<T: Any>(&self) -> bool { self.instance().contains_embed_ctx::<T>() } /// Get a reference to a context value of a particular type. /// /// If a context of that type does not exist, the instance will terminate with /// `TerminationDetails::CtxNotFound`. /// /// If the context is already mutably borrowed by `get_embed_ctx_mut`, the instance will /// terminate with `TerminationDetails::BorrowError`. pub fn get_embed_ctx<T: Any>(&self) -> Ref<'_, T> { match self.instance().embed_ctx.try_get::<T>() { Some(Ok(t)) => t, Some(Err(_)) => panic!(TerminationDetails::BorrowError("get_embed_ctx")), None => panic!(TerminationDetails::CtxNotFound), } } /// Get a mutable reference to a context value of a particular type. /// /// If a context of that type does not exist, the instance will terminate with /// `TerminationDetails::CtxNotFound`. /// /// If the context is already borrowed by some other use of `get_embed_ctx` or /// `get_embed_ctx_mut`, the instance will terminate with `TerminationDetails::BorrowError`. pub fn get_embed_ctx_mut<T: Any>(&self) -> RefMut<'_, T> { match unsafe { self.instance_mut().embed_ctx.try_get_mut::<T>() } { Some(Ok(t)) => t, Some(Err(_)) => panic!(TerminationDetails::BorrowError("get_embed_ctx_mut")), None => panic!(TerminationDetails::CtxNotFound), } } /// Terminate this guest and return to the host context without unwinding. /// /// This is almost certainly not what you want to use to terminate an instance from a hostcall, /// as any resources currently in scope will not be dropped. Instead, use /// `lucet_hostcall_terminate!` which unwinds to the enclosing hostcall body. pub unsafe fn terminate_no_unwind(&mut self, details: TerminationDetails) -> ! { self.instance_mut().terminate(details) } /// Grow the guest memory by the given number of WebAssembly pages. /// /// On success, returns the number of pages that existed before the call. pub fn grow_memory(&mut self, additional_pages: u32) -> Result<u32, Error> { unsafe { self.instance_mut().grow_memory(additional_pages) } } /// Return the WebAssembly globals as a slice of `i64`s. /// /// If the globals are already mutably borrowed by `globals_mut()`, the instance will terminate /// with `TerminationDetails::BorrowError`. pub fn globals(&self) -> Ref<'_, [GlobalValue]> { let r = self .globals_view .try_borrow() .unwrap_or_else(|_| panic!(TerminationDetails::BorrowError("globals"))); Ref::map(r, |b| b.borrow()) } /// Return the WebAssembly globals as a mutable slice of `i64`s. /// /// If the globals are already borrowed by `globals()` or `globals_mut()`, the instance will /// terminate with `TerminationDetails::BorrowError`. pub fn globals_mut(&self) -> RefMut<'_, [GlobalValue]> { let r = self .globals_view .try_borrow_mut() .unwrap_or_else(|_| panic!(TerminationDetails::BorrowError("globals_mut"))); RefMut::map(r, |b| b.borrow_mut()) } /// Get a function pointer by WebAssembly table and function index. /// /// This is useful when a hostcall takes a function pointer as its argument, as WebAssembly uses /// table indices as its runtime representation of function pointers. /// /// We do not currently reflect function type information into the Rust type system, so callers /// of the returned function must take care to cast it to the correct type before calling. The /// correct type will include the `vmctx` argument, which the caller is responsible for passing /// from its own context. /// /// ```no_run /// use lucet_runtime_internals::{lucet_hostcalls, lucet_hostcall_terminate}; /// use lucet_runtime_internals::vmctx::{lucet_vmctx, Vmctx}; /// /// lucet_hostcalls! { /// #[no_mangle] /// pub unsafe extern "C" fn hostcall_call_binop( /// &mut vmctx, /// binop_table_idx: u32, /// binop_func_idx: u32, /// operand1: u32, /// operand2: u32, /// ) -> u32 { /// if let Ok(binop) = vmctx.get_func_from_idx(binop_table_idx, binop_func_idx) { /// let typed_binop = std::mem::transmute::< /// usize, /// extern "C" fn(*mut lucet_vmctx, u32, u32) -> u32 /// >(binop.ptr.as_usize()); /// unsafe { (typed_binop)(vmctx.as_raw(), operand1, operand2) } /// } else { /// lucet_hostcall_terminate!("invalid function index") /// } /// } /// } pub fn get_func_from_idx( &self, table_idx: u32, func_idx: u32, ) -> Result<FunctionHandle, Error> { self.instance() .module() .get_func_from_idx(table_idx, func_idx) } } /// Get an `Instance` from the `vmctx` pointer. /// /// Only safe to call from within the guest context. pub unsafe fn instance_from_vmctx<'a>(vmctx: *mut lucet_vmctx) -> &'a mut Instance { assert!(!vmctx.is_null(), "vmctx is not null"); let inst_ptr = (vmctx as usize - instance_heap_offset()) as *mut Instance; // We shouldn't actually need to access the thread local, only the exception handler should // need to. But, as long as the thread local exists, we should make sure that the guest // hasn't pulled any shenanigans and passed a bad vmctx. (Codegen should ensure the guest // cant pull any shenanigans but there have been bugs before.) CURRENT_INSTANCE.with(|current_instance| { if let Some(current_inst_ptr) = current_instance.borrow().map(|nn| nn.as_ptr()) { assert_eq!( inst_ptr, current_inst_ptr, "vmctx corresponds to current instance" ); } else { panic!( "current instance is not set; thread local storage failure can indicate \ dynamic linking issues" ); } }); let inst = inst_ptr.as_mut().unwrap(); assert!(inst.valid_magic()); inst } impl Instance { /// Terminate the guest and swap back to the host context without unwinding. /// /// This is almost certainly not what you want to use to terminate from a hostcall; use panics /// with `TerminationDetails` instead. unsafe fn terminate(&mut self, details: TerminationDetails) -> ! { self.state = State::Terminated { details }; #[allow(unused_unsafe)] // The following unsafe will be incorrectly warned as unused HOST_CTX.with(|host_ctx| unsafe { Context::set(&*host_ctx.get()) }) } }