Files
wasmer/src/webassembly/memory.rs

197 lines
6.2 KiB
Rust
Raw Normal View History

2018-10-24 11:47:12 +02:00
//! The webassembly::Memory() constructor creates a new Memory object which is
//! a structure that holds the raw bytes of memory accessed by a
//! webassembly::Instance.
//! A memory created by Rust or in WebAssembly code will be accessible and
//! mutable from both Rust and WebAssembly.
2018-10-15 02:48:59 +02:00
use memmap::MmapMut;
2018-10-14 13:59:11 +02:00
use std::fmt;
use std::ops::{Deref, DerefMut};
2018-10-14 13:59:11 +02:00
const PAGE_SIZE: u32 = 65536;
const MAX_PAGES: u32 = 65536;
/// A linear memory instance.
///
/// This linear memory has a stable base address and at the same time allows
/// for dynamical growing.
pub struct LinearMemory {
pub mmap: MmapMut,
// The initial size of the WebAssembly Memory, in units of
// WebAssembly pages.
2018-11-07 11:18:55 +01:00
pub current: u32,
// The maximum size the WebAssembly Memory is allowed to grow
// to, in units of WebAssembly pages. When present, the maximum
// parameter acts as a hint to the engine to reserve memory up
// front. However, the engine may ignore or clamp this reservation
// request. In general, most WebAssembly modules shouldn't need
// to set a maximum.
2018-10-14 13:59:11 +02:00
maximum: Option<u32>,
2018-10-13 19:22:57 +02:00
}
/// It holds the raw bytes of memory accessed by a WebAssembly Instance
2018-10-14 13:59:11 +02:00
impl LinearMemory {
2018-10-26 14:53:33 +02:00
pub const WASM_PAGE_SIZE: usize = 1 << 16; // 64 KiB
pub const DEFAULT_HEAP_SIZE: usize = 1 << 32; // 4 GiB
pub const DEFAULT_GUARD_SIZE: usize = 1 << 31; // 2 GiB
pub const DEFAULT_SIZE: usize = Self::DEFAULT_HEAP_SIZE + Self::DEFAULT_GUARD_SIZE; // 8GiB
2018-10-14 13:59:11 +02:00
/// Create a new linear memory instance with specified initial and maximum number of pages.
///
/// `maximum` cannot be set to more than `65536` pages.
pub fn new(initial: u32, maximum: Option<u32>) -> Self {
assert!(initial <= MAX_PAGES);
assert!(maximum.is_none() || maximum.unwrap() <= MAX_PAGES);
2018-10-15 03:03:00 +02:00
debug!(
"Instantiate LinearMemory(initial={:?}, maximum={:?})",
initial, maximum
);
2018-10-24 11:43:18 +02:00
let len: u64 = PAGE_SIZE as u64 * match maximum {
Some(val) => val as u64,
None => initial as u64,
};
2018-10-19 01:28:16 +02:00
let len = if len == 0 { PAGE_SIZE as u64 } else { len };
2018-10-15 02:48:59 +02:00
let mmap = MmapMut::map_anon(len as usize).unwrap();
debug!("LinearMemory instantiated");
Self {
2018-10-14 13:59:11 +02:00
mmap,
current: initial,
maximum,
}
}
2018-10-14 13:59:11 +02:00
/// Returns an base address of this linear memory.
pub fn base_addr(&mut self) -> *mut u8 {
self.mmap.as_mut_ptr()
}
2018-10-14 13:59:11 +02:00
/// Returns a number of allocated wasm pages.
pub fn current_size(&self) -> u32 {
self.current
}
2018-10-13 19:22:57 +02:00
2018-10-14 13:59:11 +02:00
/// Grow memory by the specified amount of pages.
///
/// Returns `None` if memory can't be grown by the specified amount
/// of pages.
pub fn grow(&mut self, add_pages: u32) -> Option<i32> {
2018-11-06 13:18:16 +01:00
debug!("grow_memory called!");
2018-11-06 18:19:20 +01:00
debug!("old memory = {:?}", self.mmap);
2018-11-06 13:18:16 +01:00
let prev_pages = self.current;
2018-10-14 13:59:11 +02:00
let new_pages = match self.current.checked_add(add_pages) {
Some(new_pages) => new_pages,
None => return None,
};
2018-11-06 13:18:16 +01:00
2018-10-14 13:59:11 +02:00
if let Some(val) = self.maximum {
if new_pages > val {
return None;
}
2018-11-06 13:18:16 +01:00
// Wasm linear memories are never allowed to grow beyond what is
// indexable. If the memory has no maximum, enforce the greatest
// limit here.
} else if new_pages >= 65536 {
return None;
}
2018-11-06 13:18:16 +01:00
let prev_bytes = self.mmap.len();
2018-10-14 13:59:11 +02:00
let new_bytes = (new_pages * PAGE_SIZE) as usize;
2018-11-06 13:18:16 +01:00
// Updating self.mmap if new_bytes > prev_bytes
if new_bytes > prev_bytes {
2018-10-14 13:59:11 +02:00
// If we have no maximum, this is a "dynamic" heap, and it's allowed
// to move.
2018-10-15 02:48:59 +02:00
let mut new_mmap = MmapMut::map_anon(new_bytes).unwrap();
2018-11-07 11:47:06 +01:00
// Copy old mem to new mem. Will a while loop be faster or is this going to be optimized?
// TODO: Consider static heap for efficiency.
2018-11-06 13:18:16 +01:00
for i in 0..prev_bytes {
unsafe {
let new_mmap_index = new_mmap.get_unchecked_mut(i);
let old_mmap_index = self.mmap.get_unchecked(i);
*new_mmap_index = *old_mmap_index;
}
}
2018-11-07 11:47:06 +01:00
// Zero out the remaining mem region
// TODO: Check if memmap zeroes out everything by default. This is very inefficient!
2018-11-06 13:18:16 +01:00
for i in prev_bytes..new_bytes {
unsafe {
let index = new_mmap.get_unchecked_mut(i);
*index = 0;
}
}
// Update relevant fields
self.mmap = new_mmap;
self.current = new_pages;
2018-11-06 18:19:20 +01:00
debug!("new memory = {:?}", self.mmap);
}
Some(prev_pages as i32)
}
2018-10-29 12:29:44 +01:00
pub fn carve_slice(&self, offset: u32, size: u32) -> Option<&[u8]> {
let start = offset as usize;
let end = start + size as usize;
let slice: &[u8] = &*self;
// if end <= self.mapped_size() {
Some(&slice[start..end])
// } else {
// None
// }
}
2018-10-14 13:59:11 +02:00
}
2018-10-14 13:59:11 +02:00
impl fmt::Debug for LinearMemory {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.debug_struct("LinearMemory")
2018-11-06 13:18:16 +01:00
.field("mmap", &self.mmap)
2018-10-14 13:59:11 +02:00
.field("current", &self.current)
.field("maximum", &self.maximum)
.finish()
}
2018-10-14 13:59:11 +02:00
}
2018-10-14 13:59:11 +02:00
impl AsRef<[u8]> for LinearMemory {
fn as_ref(&self) -> &[u8] {
&self.mmap
}
}
2018-10-14 13:59:11 +02:00
impl AsMut<[u8]> for LinearMemory {
fn as_mut(&mut self) -> &mut [u8] {
&mut self.mmap
}
}
impl Deref for LinearMemory {
type Target = [u8];
fn deref(&self) -> &[u8] {
&*self.mmap
}
}
impl DerefMut for LinearMemory {
fn deref_mut(&mut self) -> &mut [u8] {
&mut *self.mmap
}
}
2018-10-29 12:29:44 +01:00
// impl Clone for LinearMemory {
// fn clone(&self) -> LinearMemory {
// let mut mmap = MmapMut::map_anon(self.maximum.unwrap_or(self.current) as usize).unwrap();
// let mut base_mmap = &self.mmap;
// let to_init = &mut mmap[0..self.current as usize];
// to_init.copy_from_slice(&self.mmap);
// return LinearMemory {
// mmap: mmap,
// current: self.current,
// maximum: self.maximum,
// };
// }
// }