neon/macros.rs
1//! Helper module to add documentation to macros prior to re-exporting.
2
3/// Marks a function as the main entry point for initialization in
4/// a Neon module.
5///
6/// This attribute should only be used _once_ in a module and will
7/// be called each time the module is initialized in a context.
8///
9/// If a `main` function is not provided, all registered exports will be exported. If
10/// the `tokio` feature flag is enabled, a multithreaded tokio runtime will also be
11/// registered globally.
12///
13/// ```
14/// # use neon::prelude::*;
15/// # fn main() {
16/// #[neon::main]
17/// fn main(mut cx: ModuleContext) -> NeonResult<()> {
18/// // Export all registered exports
19/// neon::registered().export(&mut cx)?;
20///
21/// let version = cx.string("1.0.0");
22///
23/// cx.export_value("version", version)?;
24///
25/// Ok(())
26/// }
27/// # }
28/// ```
29pub use neon_macros::main;
30
31/// Register an item to be exported by the Neon addon
32///
33/// ## Exporting constants and statics
34///
35/// ```
36/// #[neon::export]
37/// static GREETING: &str = "Hello, Neon!";
38///
39/// #[neon::export]
40/// const ANSWER: u8 = 42;
41/// ```
42///
43/// ### Renaming an export
44///
45/// By default, items will be exported with their Rust name. Exports may
46/// be renamed by providing the `name` attribute.
47///
48/// ```
49/// #[neon::export(name = "myGreeting")]
50/// static GREETING: &str = "Hello, Neon!";
51/// ```
52///
53/// ### JSON exports
54///
55/// Complex values may be exported by automatically serializing to JSON and
56/// parsing in JavaScript. Any type that implements `serde::Serialize` may be used.
57///
58/// ```
59/// #[neon::export(json)]
60/// static MESSAGES: &[&str] = &["hello", "goodbye"];
61/// ```
62///
63/// ## Exporting functions
64///
65/// Functions may take any type that implements [`TryFromJs`](crate::types::extract::TryFromJs) as
66/// an argument and return any type that implements [`TryIntoJs`](crate::types::extract::TryIntoJs).
67///
68/// ```
69/// #[neon::export]
70/// fn add(a: f64, b: f64) -> f64 {
71/// a + b
72/// }
73/// ```
74///
75/// ### Naming exported functions
76///
77/// Conventionally, Rust uses `snake_case` for function identifiers and JavaScript uses `camelCase`.
78/// By default, Neon will attempt to convert function names to camel case. For example:
79///
80/// ```rust
81/// #[neon::export]
82/// fn add_one(n: f64) -> f64 {
83/// n + 1.0
84/// }
85/// ```
86///
87/// The `add_one` function will be exported as `addOne` in JavaScript.
88///
89/// ```js
90/// import { addOne } from ".";
91/// ```
92///
93/// [Similar to globals](#renaming-an-export), exported functions can be overridden with the `name`
94/// attribute.
95///
96/// ```rust
97/// #[neon::export(name = "addOneSync")]
98/// fn add_one(n: f64) -> f64 {
99/// n + 1.0
100/// }
101/// ```
102/// Neon uses the following rules when converting `snake_case` to `camelCase`:
103///
104/// * All _leading_ and _trailing_ underscores (`_`) are preserved
105/// * Characters _immediately_ following a _non-leading_ underscore are converted to uppercase
106/// * If the identifier contains an _unexpected_ character, **no** conversion is performed and
107/// the identifier is used _unchanged_. Unexpected characters include:
108/// - Uppercase characters
109/// - Duplicate _interior_ (non-leading, non-trailing underscores)
110///
111/// ### Exporting a function that uses JSON
112///
113/// The [`Json`](crate::types::extract::Json) wrapper allows ergonomically handling complex
114/// types that implement `serde::Deserialize` and `serde::Serialize`.
115///
116/// ```
117/// # use neon::types::extract::Json;
118/// #[neon::export]
119/// fn sort(Json(mut items): Json<Vec<String>>) -> Json<Vec<String>> {
120/// items.sort();
121/// Json(items)
122/// }
123/// ```
124///
125/// As a convenience, macro uses may add the `json` attribute to automatically
126/// wrap arguments and return values with `Json`.
127///
128/// ```
129/// #[neon::export(json)]
130/// fn sort(mut items: Vec<String>) -> Vec<String> {
131/// items.sort();
132/// items
133/// }
134/// ```
135///
136/// ### Tasks
137///
138/// Neon provides an API for spawning tasks to execute asynchronously on Node's worker
139/// pool. JavaScript may await a promise for completion of the task.
140///
141/// ```
142/// # use neon::prelude::*;
143/// #[neon::export]
144/// fn add<'cx>(cx: &mut FunctionContext<'cx>, a: f64, b: f64) -> JsResult<'cx, JsPromise> {
145/// let promise = cx
146/// .task(move || a + b)
147/// .promise(|mut cx, res| Ok(cx.number(res)));
148///
149/// Ok(promise)
150/// }
151/// ```
152///
153/// As a convenience, macro users may indicate that a function should be executed
154/// asynchronously on the worker pool by adding the `task` attribute.
155///
156/// ```
157/// #[neon::export(task)]
158/// fn add(a: f64, b: f64) -> f64 {
159/// a + b
160/// }
161/// ```
162///
163/// ### Async Functions
164///
165/// The [`export`] macro can export `async fn`, converting to a JavaScript `Promise`, if a global
166/// future executor is registered. See [`neon::set_global_executor`](crate::set_global_executor) for
167/// more details.
168///
169/// ```
170/// # #[cfg(all(feature = "napi-6", feature = "futures"))]
171/// # {
172/// #[neon::export]
173/// async fn add(a: f64, b: f64) -> f64 {
174/// a + b
175/// }
176/// # }
177/// ```
178///
179/// A `fn` that returns a [`Future`](std::future::Future) can be annotated with `#[neon::export(async)]`
180/// if it needs to perform some setup on the JavaScript main thread before running asynchronously.
181///
182/// ```
183/// # #[cfg(all(feature = "napi-6", feature = "futures"))]
184/// # {
185/// # use std::future::Future;
186/// # use neon::prelude::*;
187/// #[neon::export(async)]
188/// fn add(a: f64, b: f64) -> impl Future<Output = f64> {
189/// println!("Hello from the JavaScript main thread!");
190///
191/// async move {
192/// a + b
193/// }
194/// }
195/// # }
196/// ```
197///
198/// If work needs to be performed on the JavaScript main thread _after_ the asynchronous operation,
199/// the [`With`](crate::types::extract::With) extractor can be used to execute a closure before returning.
200///
201/// ```
202/// # #[cfg(all(feature = "napi-6", feature = "futures"))]
203/// # {
204/// # use neon::types::extract::{self, TryIntoJs};
205/// #[neon::export]
206/// async fn add(a: f64, b: f64) -> impl for<'cx> TryIntoJs<'cx> {
207/// let sum = a + b;
208///
209/// extract::with(move |cx| {
210/// println!("Hello from the JavaScript main thread!");
211///
212/// sum.try_into_js(cx)
213/// })
214/// }
215/// # }
216/// ```
217///
218/// ### Error Handling
219///
220/// If an exported function returns a [`Result`], a JavaScript exception will be thrown
221/// with the [`Err`]. Any error type that implements [`TryIntoJs`](crate::types::extract::TryIntoJs)
222/// may be used.
223///
224/// ```
225/// #[neon::export]
226/// fn throw(msg: String) -> Result<(), String> {
227/// Err(msg)
228/// }
229/// ```
230///
231/// The [`Error`](crate::types::extract::Error) type is provided for ergonomic error conversions
232/// from most error types using the `?` operator.
233///
234/// ```
235/// use neon::types::extract::Error;
236///
237/// #[neon::export]
238/// fn read_file(path: String) -> Result<String, Error> {
239/// let contents = std::fs::read_to_string(path)?;
240/// Ok(contents)
241/// }
242/// ```
243///
244/// ### Interact with the JavaScript runtime
245///
246/// More complex functions may need to interact directly with the JavaScript runtime,
247/// for example with [`Context`](crate::context::Context) or handles to JavaScript values.
248///
249/// Functions may optionally include a [`Cx`](crate::context::Cx) or
250/// [`FunctionContext`](crate::context::FunctionContext) argument. Note that unlike functions
251/// created with [`JsFunction::new`](crate::types::JsFunction), exported function receive a borrowed
252/// context and may require explicit lifetimes.
253///
254/// ```
255/// # use neon::prelude::*;
256/// #[neon::export]
257/// fn add<'cx>(
258/// cx: &mut Cx<'cx>,
259/// a: Handle<JsNumber>,
260/// b: Handle<JsNumber>,
261/// ) -> JsResult<'cx, JsNumber> {
262/// let a = a.value(cx);
263/// let b = b.value(cx);
264///
265/// Ok(cx.number(a + b))
266/// }
267/// ```
268///
269/// ### Advanced
270///
271/// The following attributes are for advanced configuration and may not be
272/// necessary for most users.
273///
274/// #### `context`
275///
276/// The `#[neon::export]` uses a heuristic to determine if the first argument
277/// to a function is a _context_ argument.
278///
279/// * In a function executed on the JavaScript main thread, it looks for `&mut Cx`
280/// or `&mut FunctionContext` to determine if the [`Context`](crate::context::Context)
281/// should be passed.
282/// * In a function executed on another thread, it looks for [`Channel`](crate::event::Channel).
283///
284/// If the type has been renamed when importing, the `context` attribute can be
285/// added to force it to be passed.
286///
287/// ```
288/// use neon::event::Channel as Ch;
289/// use neon::context::FunctionContext as FnCtx;
290///
291/// #[neon::export(context)]
292/// fn add(_cx: &mut FnCtx, a: f64, b: f64) -> f64 {
293/// a + b
294/// }
295///
296/// #[neon::export(context)]
297/// async fn div(_ch: Ch, a: f64, b: f64) -> f64 {
298/// a / b
299/// }
300/// ```
301///
302/// #### `this`
303///
304/// The `#[neon::export]` uses a heuristic to determine if an argument to this function is
305/// referring to [`this`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/this).
306///
307/// 1. If the first argument is a [context](#context), use the 0th argument, otherwise use the 1st.
308/// 2. If the argument binding is named `this`
309/// 3. Or if it is a tuple struct pattern with an element named `this`
310///
311/// ```
312/// use neon::types::extract::Boxed;
313///
314/// #[neon::export]
315/// fn buffer_clone(this: Vec<u8>) -> Vec<u8> {
316/// this
317/// }
318///
319/// #[neon::export]
320/// fn box_to_string(Boxed(this): Boxed<String>) -> String {
321/// this
322/// }
323/// ```
324///
325/// If the function uses a variable name other than `this`, the `this` attribute may
326/// be added.
327///
328/// ```
329/// #[neon::export(this)]
330/// fn buffer_clone(me: Vec<u8>) -> Vec<u8> {
331/// me
332/// }
333/// ```
334pub use neon_macros::export;