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 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593
//! Defines WasmEdge Memory and MemType structs.
//!
//! A WasmEdge `Memory` defines a linear memory as described by `MemType`.
//! `MemType` specifies the limits on the size of a memory by a range. The start of
//! the limit range specifies min size (initial size) of that memory, while the end
//! restricts the size to which the memory can grow later.
use crate::{ffi, types::WasmEdgeLimit, utils::check, WasmEdgeResult};
use parking_lot::Mutex;
use std::sync::Arc;
use wasmedge_types::error::{MemError, WasmEdgeError};
/// Defines a WebAssembly memory instance, which is a linear memory described by its [type](crate::MemType). Each memory instance consists of a vector of bytes and an optional maximum size, and its size is a multiple of the WebAssembly page size (*64KiB* of each page).
#[derive(Debug)]
pub struct Memory {
pub(crate) inner: Arc<Mutex<InnerMemory>>,
pub(crate) registered: bool,
}
impl Memory {
/// Create a new [Memory] to be associated with the given capacity limit.
///
/// # Arguments
///
/// * `ty` - The type of the new [Memory] instance.
///
/// # Errors
///
/// * If fail to create the memory instance, then [WasmEdgeError::Mem(MemError::Create)](wasmedge_types::error::MemError) is returned.
///
/// # Example
///
/// ```
/// use wasmedge_sys::{MemType, Memory};
///
/// let ty = MemType::create(10, Some(20), false).expect("fail to create memory type");
///
/// let memory = Memory::create(&ty);
///
/// ```
///
pub fn create(ty: &MemType) -> WasmEdgeResult<Self> {
let ctx = unsafe { ffi::WasmEdge_MemoryInstanceCreate(ty.inner.0 as *const _) };
match ctx.is_null() {
true => Err(Box::new(WasmEdgeError::Mem(MemError::Create))),
false => Ok(Memory {
inner: Arc::new(Mutex::new(InnerMemory(ctx))),
registered: false,
}),
}
}
/// Returns the type of the [Memory].
///
/// # Errors
///
/// If fail to get the type from the [Memory], then an error is returned.
///
pub fn ty(&self) -> WasmEdgeResult<MemType> {
let ty_ctx = unsafe { ffi::WasmEdge_MemoryInstanceGetMemoryType(self.inner.lock().0) };
match ty_ctx.is_null() {
true => Err(Box::new(WasmEdgeError::Mem(MemError::Type))),
false => Ok(MemType {
inner: InnerMemType(ty_ctx as *mut _),
registered: true,
}),
}
}
/// Copies the data from the [Memory] to the output buffer.
///
/// # Arguments
///
/// * `offset` - The data start offset in the [Memory].
///
/// * `len` - The requested data length.
///
/// # Errors
///
/// If the `offset + len` is larger than the data size in the [Memory], then an error is returned.
///
pub fn get_data(&self, offset: u32, len: u32) -> WasmEdgeResult<Vec<u8>> {
let mut data = Vec::with_capacity(len as usize);
unsafe {
check(ffi::WasmEdge_MemoryInstanceGetData(
self.inner.lock().0,
data.as_mut_ptr(),
offset,
len,
))?;
data.set_len(len as usize);
}
Ok(data.into_iter().collect())
}
/// Copies the data from the given input buffer into the [Memory].
///
/// # Arguments
///
/// * `data` - The data buffer to copy.
///
/// * `offset` - The data start offset in the [Memory].
///
/// # Errors
///
/// If the sum of the `offset` and the data length is larger than the size of the [Memory],
/// then an error is returned.
///
/// ```
/// use wasmedge_sys::{Memory, MemType};
/// use wasmedge_types::error::{CoreError, CoreExecutionError, WasmEdgeError};
///
/// // create a Memory: the min size 1 and the max size 2
/// let ty = MemType::create(1, Some(2), false).expect("fail to create a memory type");
/// let mut mem = Memory::create(&ty).expect("fail to create a Memory");
///
/// // set data and the data length is larger than the data size in the memory
/// let result = mem.set_data(vec![1; 10], u32::pow(2, 16) - 9);
/// assert!(result.is_err());
/// assert_eq!(result.unwrap_err(), Box::new(WasmEdgeError::Core(CoreError::Execution(CoreExecutionError::MemoryOutOfBounds))));
/// ```
///
/// # Example
///
/// ```
/// use wasmedge_sys::{MemType, Memory};
///
/// // create a Memory: the min size 1 and the max size 2
/// let ty = MemType::create(1, Some(2), false).expect("fail to create a memory type");
/// let mut mem = Memory::create(&ty).expect("fail to create a Memory");
/// // page count
/// let count = mem.size();
/// assert_eq!(count, 1);
///
/// // set data
/// mem.set_data(vec![1; 10], 10).expect("fail to set data");
///
/// // get data
/// let data = mem.get_data(10, 10).expect("fail to get data");
/// assert_eq!(data, vec![1; 10]);
/// ```
///
pub fn set_data(&mut self, data: impl AsRef<[u8]>, offset: u32) -> WasmEdgeResult<()> {
unsafe {
check(ffi::WasmEdge_MemoryInstanceSetData(
self.inner.lock().0,
data.as_ref().as_ptr(),
offset,
data.as_ref().len() as u32,
))
}
}
/// Returns the const data pointer to the [Memory].
///
/// # Arguments
///
/// * `offset` - The data start offset in the [Memory].
///
/// * `len` - The requested data length. If the size of `offset` + `len` is larger
/// than the data size in the [Memory]
///
///
/// # Errors
///
/// If fail to get the data pointer, then an error is returned.
///
pub fn data_pointer(&self, offset: u32, len: u32) -> WasmEdgeResult<*const u8> {
let ptr = unsafe {
ffi::WasmEdge_MemoryInstanceGetPointerConst(self.inner.lock().0, offset, len)
};
match ptr.is_null() {
true => Err(Box::new(WasmEdgeError::Mem(MemError::ConstPtr))),
false => Ok(ptr),
}
}
/// Returns the data pointer to the [Memory].
///
/// # Arguments
///
/// * `offset` - The data start offset in the [Memory].
///
/// * `len` - The requested data length. If the size of `offset` + `len` is larger than the data size in the [Memory]
///
/// # Errors
///
/// If fail to get the data pointer, then an error is returned.
///
pub fn data_pointer_mut(&mut self, offset: u32, len: u32) -> WasmEdgeResult<*mut u8> {
let ptr =
unsafe { ffi::WasmEdge_MemoryInstanceGetPointer(self.inner.lock().0, offset, len) };
match ptr.is_null() {
true => Err(Box::new(WasmEdgeError::Mem(MemError::MutPtr))),
false => Ok(ptr),
}
}
/// Returns the size, in WebAssembly pages (64 KiB of each page), of this wasm memory.
pub fn size(&self) -> u32 {
unsafe { ffi::WasmEdge_MemoryInstanceGetPageSize(self.inner.lock().0) }
}
/// Grows this WebAssembly memory by `count` pages.
///
/// # Arguments
///
/// * `count` - The page counts to be extended to the [Memory].
///
/// # Errors
///
/// If fail to grow the page count, then an error is returned.
///
/// # Example
///
/// ```
/// use wasmedge_sys::{MemType, Memory};
///
/// // create a Memory with a limit range [10, 20]
/// let ty = MemType::create(10, Some(20), false).expect("fail to create a memory type");
/// let mut mem = Memory::create(&ty).expect("fail to create a Memory");
/// // check page count
/// let count = mem.size();
/// assert_eq!(count, 10);
///
/// // grow 5 pages
/// mem.grow(10).expect("fail to grow the page count");
/// assert_eq!(mem.size(), 20);
/// ```
///
pub fn grow(&mut self, count: u32) -> WasmEdgeResult<()> {
unsafe {
check(ffi::WasmEdge_MemoryInstanceGrowPage(
self.inner.lock().0,
count,
))
}
}
/// Provides a raw pointer to the inner memory context.
#[cfg(feature = "ffi")]
#[cfg_attr(docsrs, doc(cfg(feature = "ffi")))]
pub fn as_ptr(&self) -> *const ffi::WasmEdge_MemoryInstanceContext {
self.inner.lock().0 as *const _
}
}
impl Drop for Memory {
fn drop(&mut self) {
if self.registered {
self.inner.lock().0 = std::ptr::null_mut();
} else if Arc::strong_count(&self.inner) == 1 && !self.inner.lock().0.is_null() {
unsafe { ffi::WasmEdge_MemoryInstanceDelete(self.inner.lock().0) };
}
}
}
impl Clone for Memory {
fn clone(&self) -> Self {
Self {
inner: self.inner.clone(),
registered: self.registered,
}
}
}
#[derive(Debug)]
pub(crate) struct InnerMemory(pub(crate) *mut ffi::WasmEdge_MemoryInstanceContext);
unsafe impl Send for InnerMemory {}
unsafe impl Sync for InnerMemory {}
/// Defines the type of a wasm memory instance
#[derive(Debug)]
pub struct MemType {
pub(crate) inner: InnerMemType,
pub(crate) registered: bool,
}
impl MemType {
/// Create a new [MemType] to be associated with the given limit range for the capacity.
///
/// # Arguments
///
/// * 'min' - The initial size of the linear memory.
///
/// * 'max' - The upper bound of the linear memory size allowed to grow. If 'max' is set 'None', then the maximum size will be set `u32::MAX`.
///
/// * `shared` - Whether the memory is shared or not. Reference [Threading proposal for WebAssembly](https://github.com/WebAssembly/threads/blob/main/proposals/threads/Overview.md#shared-linear-memory) for details about shared memory. If `shared` is set `true`, then `max` MUST not be `None`.
///
/// # Errors
///
/// If fail to create a [MemType], then an error is returned.
///
/// # Example
///
/// ```ignore
/// let ty = MemType::create(0, Some(u32::MAX), false);
/// ```
///
pub fn create(min: u32, max: Option<u32>, shared: bool) -> WasmEdgeResult<Self> {
if shared && max.is_none() {
return Err(Box::new(WasmEdgeError::Mem(MemError::CreateSharedType)));
}
let ctx =
unsafe { ffi::WasmEdge_MemoryTypeCreate(WasmEdgeLimit::new(min, max, shared).into()) };
match ctx.is_null() {
true => Err(Box::new(WasmEdgeError::MemTypeCreate)),
false => Ok(Self {
inner: InnerMemType(ctx),
registered: false,
}),
}
}
/// Returns the initial size of a [Memory].
pub fn min(&self) -> u32 {
let limit = unsafe { ffi::WasmEdge_MemoryTypeGetLimit(self.inner.0) };
let limit: WasmEdgeLimit = limit.into();
limit.min()
}
/// Returns the maximum size of a [Memory] allowed to grow.
pub fn max(&self) -> Option<u32> {
let limit = unsafe { ffi::WasmEdge_MemoryTypeGetLimit(self.inner.0) };
let limit: WasmEdgeLimit = limit.into();
limit.max()
}
/// Returns whether the memory is shared or not.
pub fn shared(&self) -> bool {
let limit = unsafe { ffi::WasmEdge_MemoryTypeGetLimit(self.inner.0) };
let limit: WasmEdgeLimit = limit.into();
limit.shared()
}
/// Provides a raw pointer to the inner memory type context.
#[cfg(feature = "ffi")]
#[cfg_attr(docsrs, doc(cfg(feature = "ffi")))]
pub fn as_ptr(&self) -> *const ffi::WasmEdge_MemoryTypeContext {
self.inner.0 as *const _
}
}
impl Drop for MemType {
fn drop(&mut self) {
if !self.registered && !self.inner.0.is_null() {
unsafe { ffi::WasmEdge_MemoryTypeDelete(self.inner.0) }
}
}
}
impl From<wasmedge_types::MemoryType> for MemType {
fn from(ty: wasmedge_types::MemoryType) -> Self {
MemType::create(ty.minimum(), ty.maximum(), ty.shared()).expect(
"[wasmedge-sys] Failed to convert wasmedge_types::MemoryType into wasmedge_sys::MemType.",
)
}
}
impl From<MemType> for wasmedge_types::MemoryType {
fn from(ty: MemType) -> Self {
wasmedge_types::MemoryType::new(ty.min(), ty.max(), ty.shared()).expect(
"[wasmedge-sys] Failed to convert wasmedge_sys::MemType into wasmedge_types::MemoryType."
)
}
}
#[derive(Debug)]
pub(crate) struct InnerMemType(pub(crate) *mut ffi::WasmEdge_MemoryTypeContext);
unsafe impl Send for InnerMemType {}
unsafe impl Sync for InnerMemType {}
#[cfg(test)]
mod tests {
use super::*;
use std::{
sync::{Arc, Mutex},
thread,
};
use wasmedge_types::error::{CoreError, CoreExecutionError, WasmEdgeError};
#[test]
fn test_memory_type() {
// case 1
let result = MemType::create(0, Some(u32::MAX), false);
assert!(result.is_ok());
let ty = result.unwrap();
assert!(!ty.inner.0.is_null());
assert!(!ty.registered);
assert_eq!(ty.min(), 0);
assert_eq!(ty.max(), Some(u32::MAX));
// case 2
let result = MemType::create(10, Some(101), false);
assert!(result.is_ok());
let ty = result.unwrap();
assert!(!ty.inner.0.is_null());
assert!(!ty.registered);
assert_eq!(ty.min(), 10);
assert_eq!(ty.max(), Some(101));
}
#[test]
#[allow(clippy::assertions_on_result_states)]
fn test_memory_grow() {
// create a Memory with a limit range [10, 20]
let result = MemType::create(10, Some(20), false);
assert!(result.is_ok());
let ty = result.unwrap();
let result = Memory::create(&ty);
assert!(result.is_ok());
let mut mem = result.unwrap();
assert!(!mem.inner.lock().0.is_null());
assert!(!mem.registered);
// get type
let result = mem.ty();
assert!(result.is_ok());
let ty = result.unwrap();
assert!(!ty.inner.0.is_null());
assert!(ty.registered);
// check limit
assert_eq!(ty.min(), 10);
assert_eq!(ty.max(), Some(20));
// check page count
let count = mem.size();
assert_eq!(count, 10);
// grow 5 pages
let result = mem.grow(10);
assert!(result.is_ok());
assert_eq!(mem.size(), 20);
// grow additional pages, which causes a failure
let result = mem.grow(1);
assert!(result.is_err());
}
#[test]
#[allow(clippy::assertions_on_result_states)]
fn test_memory_data() {
// create a Memory: the min size 1 and the max size 2
let result = MemType::create(1, Some(2), false);
assert!(result.is_ok());
let ty = result.unwrap();
let result = Memory::create(&ty);
assert!(result.is_ok());
let mut mem = result.unwrap();
assert!(!mem.inner.lock().0.is_null());
assert!(!mem.registered);
// check page count
let count = mem.size();
assert_eq!(count, 1);
// get data before set data
let result = mem.get_data(0, 10);
assert!(result.is_ok());
let data = result.unwrap();
assert_eq!(data, vec![0; 10]);
// set data
let result = mem.set_data(vec![1; 10], 10);
assert!(result.is_ok());
// get data after set data
let result = mem.get_data(10, 10);
assert!(result.is_ok());
let data = result.unwrap();
assert_eq!(data, vec![1; 10]);
// set data and the data length is larger than the data size in the memory
let result = mem.set_data(vec![1; 10], u32::pow(2, 16) - 9);
assert!(result.is_err());
assert_eq!(
result.unwrap_err(),
Box::new(WasmEdgeError::Core(CoreError::Execution(
CoreExecutionError::MemoryOutOfBounds
)))
);
// grow the memory size
let result = mem.grow(1);
assert!(result.is_ok());
assert_eq!(mem.size(), 2);
let result = mem.set_data(vec![1; 10], u32::pow(2, 16) - 9);
assert!(result.is_ok());
}
#[test]
fn test_memory_send() {
{
let result = MemType::create(10, Some(101), false);
assert!(result.is_ok());
let ty = result.unwrap();
assert!(!ty.inner.0.is_null());
assert!(!ty.registered);
let handle = thread::spawn(move || {
assert!(!ty.inner.0.is_null());
assert!(!ty.registered);
assert_eq!(ty.min(), 10);
assert_eq!(ty.max(), Some(101));
});
handle.join().unwrap()
}
{
// create a Memory with a limit range [10, 20]
let result = MemType::create(10, Some(20), false);
assert!(result.is_ok());
let ty = result.unwrap();
let result = Memory::create(&ty);
assert!(result.is_ok());
let mem = result.unwrap();
assert!(!mem.inner.lock().0.is_null());
assert!(!mem.registered);
let handle = thread::spawn(move || {
// get type
let result = mem.ty();
assert!(result.is_ok());
let ty = result.unwrap();
assert!(!ty.inner.0.is_null());
assert!(ty.registered);
// check limit
assert_eq!(ty.min(), 10);
assert_eq!(ty.max(), Some(20));
// check page count
let count = mem.size();
assert_eq!(count, 10);
});
handle.join().unwrap()
}
}
#[test]
fn test_memory_sync() {
// create a Memory with a limit range [10, 20]
let result = MemType::create(10, Some(20), false);
assert!(result.is_ok());
let ty = result.unwrap();
let result = Memory::create(&ty);
assert!(result.is_ok());
let mem = result.unwrap();
assert!(!mem.inner.lock().0.is_null());
assert!(!mem.registered);
let memory = Arc::new(Mutex::new(mem));
let memory_cloned = Arc::clone(&memory);
let handle = thread::spawn(move || {
let mem = memory_cloned.lock().unwrap();
// get type
let result = mem.ty();
assert!(result.is_ok());
let ty = result.unwrap();
assert!(!ty.inner.0.is_null());
assert!(ty.registered);
// check limit
assert_eq!(ty.min(), 10);
assert_eq!(ty.max(), Some(20));
// check page count
let count = mem.size();
assert_eq!(count, 10);
});
handle.join().unwrap()
}
#[test]
fn test_memory_clone() {
#[derive(Debug, Clone)]
struct RecordsMemory {
memory: Memory,
}
// create a Memory with a limit range [10, 20]
let result = MemType::create(10, Some(20), false);
assert!(result.is_ok());
let ty = result.unwrap();
let result = Memory::create(&ty);
assert!(result.is_ok());
let memory = result.unwrap();
let rec_mem = RecordsMemory { memory };
let rec_mem_cloned = rec_mem.clone();
drop(rec_mem);
assert_eq!(rec_mem_cloned.memory.size(), 10);
}
}