napi-rs/crates/napi/src/call_context.rs

102 lines
2.8 KiB
Rust
Raw Normal View History

use std::ptr;
use crate::bindgen_runtime::{FromNapiValue, TypeName};
use crate::check_status;
use crate::{sys, Either, Env, Error, JsUndefined, NapiValue, Result, Status};
2020-04-21 01:20:35 +09:00
/// Function call context
pub struct CallContext<'env> {
2020-10-04 17:02:04 +09:00
pub env: &'env mut Env,
raw_this: sys::napi_value,
callback_info: sys::napi_callback_info,
args: &'env [sys::napi_value],
/// arguments.length
pub length: usize,
2020-04-21 01:20:35 +09:00
}
impl<'env> CallContext<'env> {
/// The number of N-api obtained values. In practice this is the numeric
/// parameter provided to the `#[js_function(arg_len)]` macro.
///
/// As a comparison, the (arguments) `.length` represents the actual number
/// of arguments given at a specific function call.
///
/// If `.length < .arg_len`, then the elements in the `length .. arg_len`
/// range are just `JsUndefined`s.
///
/// If `.length > .arg_len`, then truncation has happened and some args have
/// been lost.
fn arg_len(&self) -> usize {
self.args.len()
}
pub fn new(
2020-10-04 17:02:04 +09:00
env: &'env mut Env,
callback_info: sys::napi_callback_info,
raw_this: sys::napi_value,
args: &'env [sys::napi_value],
length: usize,
) -> Self {
Self {
env,
raw_this,
2021-05-07 19:19:52 +09:00
callback_info,
args,
length,
}
2020-04-21 01:20:35 +09:00
}
pub fn get<ArgType: FromNapiValue>(&self, index: usize) -> Result<ArgType> {
if index >= self.arg_len() {
Err(Error::new(
Status::GenericFailure,
"Arguments index out of range".to_owned(),
))
2020-04-21 01:20:35 +09:00
} else {
unsafe { ArgType::from_napi_value(self.env.0, self.args[index]) }
2020-04-21 01:20:35 +09:00
}
}
2020-07-18 03:00:48 +09:00
pub fn try_get<ArgType: NapiValue + TypeName + FromNapiValue>(
&self,
index: usize,
) -> Result<Either<ArgType, JsUndefined>> {
if index >= self.arg_len() {
Err(Error::new(
Status::GenericFailure,
"Arguments index out of range".to_owned(),
))
2020-12-01 15:55:19 +09:00
} else if index < self.length {
unsafe { ArgType::from_raw(self.env.0, self.args[index]) }.map(Either::A)
2020-07-18 03:00:48 +09:00
} else {
2020-12-01 15:55:19 +09:00
self.env.get_undefined().map(Either::B)
2020-07-18 03:00:48 +09:00
}
}
pub fn get_all(&self) -> Vec<crate::JsUnknown> {
/* (0 .. self.arg_len()).map(|i| self.get(i).unwrap()).collect() */
self
.args
.iter()
.map(|&raw| unsafe { crate::JsUnknown::from_raw_unchecked(self.env.0, raw) })
.collect()
}
pub fn get_new_target<V>(&self) -> Result<V>
where
V: NapiValue,
{
let mut value = ptr::null_mut();
check_status!(unsafe { sys::napi_get_new_target(self.env.0, self.callback_info, &mut value) })?;
unsafe { V::from_raw(self.env.0, value) }
}
pub fn this<T: NapiValue>(&self) -> Result<T> {
unsafe { T::from_raw(self.env.0, self.raw_this) }
}
pub fn this_unchecked<T: NapiValue>(&self) -> T {
unsafe { T::from_raw_unchecked(self.env.0, self.raw_this) }
}
2020-04-21 01:20:35 +09:00
}