napi-rs/test_module/src/lib.rs

72 lines
1.7 KiB
Rust
Raw Normal View History

2018-04-28 17:26:38 +09:00
#[macro_use]
extern crate napi_rs as napi;
#[macro_use]
extern crate napi_rs_derive;
2018-04-28 17:26:38 +09:00
2020-06-15 22:15:37 +09:00
use napi::{Any, CallContext, Env, Error, Number, Object, Result, Status, Task, Value, Boolean};
use std::convert::TryInto;
2018-04-28 17:26:38 +09:00
register_module!(test_module, init);
2020-05-09 16:14:44 +09:00
fn init(env: &Env, exports: &mut Value<Object>) -> Result<()> {
exports.set_named_property("testThrow", env.create_function("testThrow", test_throw)?)?;
exports.set_named_property(
"testSpawnThread",
env.create_function("testSpawnThread", test_spawn_thread)?,
)?;
2020-06-15 22:15:37 +09:00
exports.set_named_property(
"testObjectIsDate",
env.create_function("testObjectIsDate", test_object_is_date)?
)?;
2020-05-09 16:14:44 +09:00
Ok(())
2018-04-28 17:26:38 +09:00
}
struct ComputeFib {
n: u32,
}
impl ComputeFib {
pub fn new(n: u32) -> ComputeFib {
ComputeFib { n }
}
}
impl Task for ComputeFib {
type Output = u32;
type JsValue = Number;
fn compute(&self) -> Result<Self::Output> {
Ok(fibonacci_native(self.n))
}
fn resolve(&self, env: &mut Env, output: Self::Output) -> Result<Value<Self::JsValue>> {
env.create_uint32(output)
}
}
#[inline]
fn fibonacci_native(n: u32) -> u32 {
match n {
1 | 2 => 1,
_ => fibonacci_native(n - 1) + fibonacci_native(n - 2),
}
}
#[js_function(1)]
fn test_spawn_thread(ctx: CallContext) -> Result<Value<Object>> {
let n = ctx.get::<Number>(0)?;
let task = ComputeFib::new(n.try_into()?);
ctx.env.spawn(task)
2018-04-28 17:26:38 +09:00
}
2020-04-21 01:20:35 +09:00
#[js_function]
fn test_throw(_ctx: CallContext) -> Result<Value<Any>> {
Err(Error::from_status(Status::GenericFailure))
2018-04-28 17:26:38 +09:00
}
2020-06-15 22:15:37 +09:00
#[js_function(1)]
fn test_object_is_date(ctx: CallContext) -> Result<Value<Boolean>> {
let obj: Value<Object> = ctx.get::<Object>(0)?;
Ok(Env::get_boolean(ctx.env, obj.is_date()?)?)
}