neon/types_impl/extract/
mod.rs

1//! Traits and utilities for extract Rust data from JavaScript values.
2//!
3//! The full list of included extractors can be found on [`TryFromJs`].
4//!
5//! ## Extracting Handles
6//!
7//! JavaScript arguments may be extracted into a Rust tuple.
8//!
9//! ```
10//! # use neon::{prelude::*, types::extract::*};
11//! fn greet(mut cx: FunctionContext) -> JsResult<JsString> {
12//!     let (greeting, name): (Handle<JsString>, Handle<JsString>) = cx.args()?;
13//!     let message = format!("{}, {}!", greeting.value(&mut cx), name.value(&mut cx));
14//!
15//!     Ok(cx.string(message))
16//! }
17//! ```
18//!
19//! ## Extracting Native Types
20//!
21//! It's also possible to extract directly into native Rust types instead of a [`Handle`].
22//!
23//! ```
24//! # use neon::{prelude::*, types::extract::*};
25//! fn add(mut cx: FunctionContext) -> JsResult<JsNumber> {
26//!     let (a, b): (f64, f64) = cx.args()?;
27//!
28//!     Ok(cx.number(a + b))
29//! }
30//! ```
31//!
32//! ## Extracting [`Option`]
33//!
34//! It's also possible to mix [`Handle`], Rust types, and even [`Option`] for
35//! handling `null` and `undefined`.
36//!
37//! ```
38//! # use neon::{prelude::*, types::extract::*};
39//! fn get_or_default(mut cx: FunctionContext) -> JsResult<JsValue> {
40//!     let (n, default_value): (Option<f64>, Handle<JsValue>) = cx.args()?;
41//!
42//!     if let Some(n) = n {
43//!         return Ok(cx.number(n).upcast());
44//!     }
45//!
46//!     Ok(default_value)
47//! }
48//! ```
49//!
50//! ## Additional Extractors
51//!
52//! In some cases, the expected JavaScript type is ambiguous. For example, when
53//! trying to extract an [`f64`], the argument may be a `Date` instead of a `number`.
54//! Newtype extractors are provided to help.
55//!
56//! ```
57//! # use neon::{prelude::*, types::extract::*};
58//! # #[cfg(feature = "napi-5")]
59//! # use neon::types::JsDate;
60//!
61//! # #[cfg(feature = "napi-5")]
62//! fn add_hours(mut cx: FunctionContext) -> JsResult<JsDate> {
63//!     const MS_PER_HOUR: f64 = 60.0 * 60.0 * 1000.0;
64//!
65//!     let (Date(date), hours): (Date, f64) = cx.args()?;
66//!     let date = date + hours * MS_PER_HOUR;
67//!
68//!     cx.date(date).or_throw(&mut cx)
69//! }
70//! ```
71//!
72//! ## Overloaded Functions
73//!
74//! It's common in JavaScript to overload function signatures. This can be implemented with
75//! [`FunctionContext::args_opt`] or [`Context::try_catch`].
76//!
77//! ```
78//! # use neon::{prelude::*, types::extract::*};
79//!
80//! fn add(mut cx: FunctionContext, a: f64, b: f64) -> Handle<JsNumber> {
81//!     cx.number(a + b)
82//! }
83//!
84//! fn concat(mut cx: FunctionContext, a: String, b: String) -> Handle<JsString> {
85//!     cx.string(a + &b)
86//! }
87//!
88//! fn combine(mut cx: FunctionContext) -> JsResult<JsValue> {
89//!     if let Some((a, b)) = cx.args_opt()? {
90//!         return Ok(add(cx, a, b).upcast());
91//!     }
92//!
93//!     let (a, b) = cx.args()?;
94//!
95//!     Ok(concat(cx, a, b).upcast())
96//! }
97//! ```
98//!
99//! Note well, in this example, type annotations are not required on the tuple because
100//! Rust is able to infer it from the type arguments on `add` and `concat`.
101
102use crate::{
103    context::{Context, Cx, FunctionContext},
104    handle::Handle,
105    result::{JsResult, NeonResult},
106    types::{JsValue, Value},
107};
108
109pub use self::{
110    boxed::Boxed,
111    buffer::{
112        ArrayBuffer, BigInt64Array, BigUint64Array, Buffer, Float32Array, Float64Array, Int16Array,
113        Int32Array, Int8Array, Uint16Array, Uint32Array, Uint8Array,
114    },
115    error::{Error, TypeExpected},
116    with::with,
117};
118
119#[cfg(feature = "serde")]
120#[cfg_attr(docsrs, doc(cfg(feature = "serde")))]
121pub use self::json::Json;
122
123#[cfg(feature = "serde")]
124#[cfg_attr(docsrs, doc(cfg(feature = "serde")))]
125pub mod json;
126
127mod boxed;
128mod buffer;
129mod container;
130mod either;
131mod error;
132mod private;
133mod try_from_js;
134mod try_into_js;
135mod with;
136
137/// Extract Rust data from a JavaScript value
138pub trait TryFromJs<'cx>
139where
140    Self: private::Sealed + Sized,
141{
142    type Error: TryIntoJs<'cx>;
143
144    /// Extract this Rust type from a JavaScript value
145    fn try_from_js(
146        cx: &mut Cx<'cx>,
147        v: Handle<'cx, JsValue>,
148    ) -> NeonResult<Result<Self, Self::Error>>;
149
150    /// Same as [`TryFromJs`], but all errors are converted to JavaScript exceptions
151    fn from_js(cx: &mut Cx<'cx>, v: Handle<'cx, JsValue>) -> NeonResult<Self> {
152        match Self::try_from_js(cx, v)? {
153            Ok(v) => Ok(v),
154            Err(err) => {
155                let err = err.try_into_js(cx)?;
156
157                cx.throw(err)
158            }
159        }
160    }
161}
162
163/// Convert Rust data into a JavaScript value
164pub trait TryIntoJs<'cx>
165where
166    Self: private::Sealed,
167{
168    /// The type of JavaScript value that will be created
169    type Value: Value;
170
171    /// Convert `self` into a JavaScript value
172    fn try_into_js(self, cx: &mut Cx<'cx>) -> JsResult<'cx, Self::Value>;
173}
174
175#[cfg_attr(docsrs, doc(cfg(feature = "napi-5")))]
176#[cfg(feature = "napi-5")]
177/// Wrapper for converting between [`f64`] and [`JsDate`](super::JsDate)
178pub struct Date(pub f64);
179
180/// Trait specifying values that may be extracted from function arguments.
181///
182/// **Note:** This trait is implemented for tuples of up to 32 values, but for
183/// the sake of brevity, only tuples up to size 8 are shown in this documentation.
184pub trait FromArgs<'cx>: private::FromArgsInternal<'cx> {}
185
186// Convenience implementation for single arguments instead of needing a single element tuple
187impl<'cx> private::FromArgsInternal<'cx> for () {
188    fn from_args(_cx: &mut FunctionContext<'cx>) -> NeonResult<Self> {
189        Ok(())
190    }
191
192    fn from_args_opt(_cx: &mut FunctionContext<'cx>) -> NeonResult<Option<Self>> {
193        Ok(Some(()))
194    }
195}
196
197impl<'cx> FromArgs<'cx> for () {}
198
199// N.B.: `FromArgs` _could_ have a blanket impl for `T` where `T: FromArgsInternal`.
200// However, it is explicitly implemented in the macro in order for it to be included in docs.
201macro_rules! from_args_impl {
202    ($(#[$attrs:meta])? [$($ty:ident),*]) => {
203        $(#[$attrs])?
204        impl<'cx, $($ty,)*> FromArgs<'cx> for ($($ty,)*)
205        where
206            $($ty: TryFromJs<'cx>,)*
207        {}
208
209        #[allow(non_snake_case)]
210        impl<'cx, $($ty,)*> private::FromArgsInternal<'cx> for ($($ty,)*)
211        where
212            $($ty: TryFromJs<'cx>,)*
213        {
214            fn from_args(cx: &mut FunctionContext<'cx>) -> NeonResult<Self> {
215                let [$($ty,)*] = cx.argv();
216
217                Ok(($($ty::from_js(cx, $ty)?,)*))
218            }
219
220            fn from_args_opt(cx: &mut FunctionContext<'cx>) -> NeonResult<Option<Self>> {
221                let [$($ty,)*] = cx.argv();
222
223                Ok(Some((
224                    $(match $ty::try_from_js(cx, $ty)? {
225                        Ok(v) => v,
226                        Err(_) => return Ok(None),
227                    },)*
228                )))
229            }
230        }
231    }
232}
233
234macro_rules! from_args_expand {
235    ($(#[$attrs:meta])? [$($head:ident),*], []) => {};
236
237    ($(#[$attrs:meta])? [$($head:ident),*], [$cur:ident $(, $tail:ident)*]) => {
238        from_args_impl!($(#[$attrs])? [$($head,)* $cur]);
239        from_args_expand!($(#[$attrs])? [$($head,)* $cur], [$($tail),*]);
240    };
241}
242
243macro_rules! from_args {
244    ([$($show:ident),*], [$($hide:ident),*]) => {
245        from_args_expand!([], [$($show),*]);
246        from_args_expand!(#[doc(hidden)] [$($show),*], [$($hide),*]);
247    };
248}
249
250// Implement `FromArgs` for tuples up to length `32`. The first list is included
251// in docs and the second list is `#[doc(hidden)]`.
252from_args!(
253    [T1, T2, T3, T4, T5, T6, T7, T8],
254    [
255        T9, T10, T11, T12, T13, T14, T15, T16, T17, T18, T19, T20, T21, T22, T23, T24, T25, T26,
256        T27, T28, T29, T30, T31, T32
257    ]
258);