neon/types_impl/boxed.rs
1use std::{
2 any::{self, Any},
3 ops::Deref,
4};
5
6use crate::{
7 context::{
8 internal::{ContextInternal, Env},
9 Context, Cx,
10 },
11 handle::{internal::TransparentNoCopyWrapper, Handle},
12 object::Object,
13 sys::{external, raw},
14 types::{boxed::private::JsBoxInner, private::ValueInternal, Value},
15};
16
17type BoxAny = Box<dyn Any + 'static>;
18
19mod private {
20 pub struct JsBoxInner<T: 'static> {
21 pub(super) local: crate::sys::raw::Local,
22 // Cached raw pointer to the data contained in the `JsBox`. This value is
23 // required to implement `Deref` for `JsBox`. Unlike most `Js` types, `JsBox`
24 // is not a transparent wrapper around a `napi_value` and cannot implement `This`.
25 //
26 // Safety: `JsBox` cannot verify the lifetime. Store a raw pointer to force
27 // uses to be marked unsafe. In practice, it can be treated as `'static` but
28 // should only be exposed as part of a `Handle` tied to a `Context` lifetime.
29 // Safety: The value must not move on the heap; we must never give a mutable
30 // reference to the data until the `JsBox` is no longer accessible.
31 pub(super) raw_data: *const T,
32 }
33}
34
35/// A JavaScript smart pointer object that owns Rust data.
36///
37/// The type `JsBox<T>` provides shared ownership of a value of type `T`,
38/// allocated in the heap. The data is owned by the JavaScript engine and the
39/// lifetime is managed by the JavaScript garbage collector.
40///
41/// Shared references in Rust disallow mutation by default, and `JsBox` is no
42/// exception: you cannot generally obtain a mutable reference to something
43/// inside a `JsBox`. If you need to mutate through a `JsBox`, use
44/// [`Cell`](https://doc.rust-lang.org/std/cell/struct.Cell.html),
45/// [`RefCell`](https://doc.rust-lang.org/stable/std/cell/struct.RefCell.html),
46/// or one of the other types that provide
47/// [interior mutability](https://doc.rust-lang.org/book/ch15-05-interior-mutability.html).
48///
49/// Values contained by a `JsBox` must implement the `Finalize` trait. `Finalize::finalize`
50/// will execute with the value in a `JsBox` immediately before the `JsBox` is garbage
51/// collected. If no additional finalization is necessary, an emply implementation may
52/// be provided.
53///
54///
55/// ## `Deref` behavior
56///
57/// `JsBox<T>` automatically dereferences to `T` (via the `Deref` trait), so
58/// you can call `T`'s method on a value of type `JsBox<T>`.
59///
60/// ```rust
61/// # use neon::prelude::*;
62/// # fn my_neon_function(mut cx: FunctionContext) -> JsResult<JsUndefined> {
63/// let vec: Handle<JsBox<Vec<_>>> = cx.boxed(vec![1, 2, 3]);
64///
65/// println!("Length: {}", vec.len());
66/// # Ok(cx.undefined())
67/// # }
68/// ```
69///
70/// ## Examples
71///
72/// Passing some immutable data between Rust and JavaScript.
73///
74/// ```rust
75/// # use neon::prelude::*;
76/// # use std::path::{Path, PathBuf};
77/// fn create_path(mut cx: FunctionContext) -> JsResult<JsBox<PathBuf>> {
78/// let path = cx.argument::<JsString>(0)?.value(&mut cx);
79/// let path = Path::new(&path).to_path_buf();
80///
81/// Ok(cx.boxed(path))
82/// }
83///
84/// fn print_path(mut cx: FunctionContext) -> JsResult<JsUndefined> {
85/// let path = cx.argument::<JsBox<PathBuf>>(0)?;
86///
87/// println!("{}", path.display());
88///
89/// Ok(cx.undefined())
90/// }
91/// ```
92///
93/// Passing a user defined struct wrapped in a `RefCell` for mutability. This
94/// pattern is useful for creating classes in JavaScript.
95///
96/// ```rust
97/// # use neon::prelude::*;
98/// # use std::cell::RefCell;
99///
100/// type BoxedPerson = JsBox<RefCell<Person>>;
101///
102/// struct Person {
103/// name: String,
104/// }
105///
106/// impl Finalize for Person {}
107///
108/// impl Person {
109/// pub fn new(name: String) -> Self {
110/// Person { name }
111/// }
112///
113/// pub fn set_name(&mut self, name: String) {
114/// self.name = name;
115/// }
116///
117/// pub fn greet(&self) -> String {
118/// format!("Hello, {}!", self.name)
119/// }
120/// }
121///
122/// fn person_new(mut cx: FunctionContext) -> JsResult<BoxedPerson> {
123/// let name = cx.argument::<JsString>(0)?.value(&mut cx);
124/// let person = RefCell::new(Person::new(name));
125///
126/// Ok(cx.boxed(person))
127/// }
128///
129/// fn person_set_name(mut cx: FunctionContext) -> JsResult<JsUndefined> {
130/// let person = cx.argument::<BoxedPerson>(0)?;
131/// let mut person = person.borrow_mut();
132/// let name = cx.argument::<JsString>(1)?.value(&mut cx);
133///
134/// person.set_name(name);
135///
136/// Ok(cx.undefined())
137/// }
138///
139/// fn person_greet(mut cx: FunctionContext) -> JsResult<JsString> {
140/// let person = cx.argument::<BoxedPerson>(0)?;
141/// let person = person.borrow();
142/// let greeting = person.greet();
143///
144/// Ok(cx.string(greeting))
145/// }
146#[repr(transparent)]
147pub struct JsBox<T: 'static>(JsBoxInner<T>);
148
149impl<T: 'static> std::fmt::Debug for JsBoxInner<T> {
150 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
151 write!(f, "JsBox<{}>", std::any::type_name::<T>())
152 }
153}
154
155impl<T: 'static> std::fmt::Debug for JsBox<T> {
156 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
157 std::fmt::Debug::fmt(&self.0, f)
158 }
159}
160
161// Attempt to use a `napi_value` as a `napi_external` to unwrap a `BoxAny>
162/// Safety: `local` must be a `napi_value` that is valid for the lifetime `'a`.
163unsafe fn maybe_external_deref<'a>(env: Env, local: raw::Local) -> Option<&'a BoxAny> {
164 external::deref::<BoxAny>(env.to_raw(), local).map(|v| &*v)
165}
166
167// Custom `Clone` implementation since `T` might not be `Clone`
168impl<T: 'static> Clone for JsBoxInner<T> {
169 fn clone(&self) -> Self {
170 *self
171 }
172}
173
174impl<T: 'static> Object for JsBox<T> {}
175
176impl<T: 'static> Copy for JsBoxInner<T> {}
177
178impl<T: 'static> Value for JsBox<T> {}
179
180unsafe impl<T: 'static> TransparentNoCopyWrapper for JsBox<T> {
181 type Inner = JsBoxInner<T>;
182
183 fn into_inner(self) -> Self::Inner {
184 self.0
185 }
186}
187
188impl<T: 'static> ValueInternal for JsBox<T> {
189 fn name() -> &'static str {
190 any::type_name::<Self>()
191 }
192
193 fn is_typeof<Other: Value>(cx: &mut Cx, other: &Other) -> bool {
194 let data = unsafe { maybe_external_deref(cx.env(), other.to_local()) };
195
196 data.map(|v| v.is::<T>()).unwrap_or(false)
197 }
198
199 fn downcast<Other: Value>(cx: &mut Cx, other: &Other) -> Option<Self> {
200 let local = other.to_local();
201 let data = unsafe { maybe_external_deref(cx.env(), local) };
202
203 // Attempt to downcast the `Option<&BoxAny>` to `Option<*const T>`
204 data.and_then(|v| v.downcast_ref())
205 .map(|raw_data| Self(JsBoxInner { local, raw_data }))
206 }
207
208 fn to_local(&self) -> raw::Local {
209 self.0.local
210 }
211
212 unsafe fn from_local(env: Env, local: raw::Local) -> Self {
213 let raw_data = unsafe { maybe_external_deref(env, local) }
214 .expect("Failed to unwrap napi_external as Box<Any>")
215 .downcast_ref()
216 .expect("Failed to downcast Any");
217
218 Self(JsBoxInner { local, raw_data })
219 }
220}
221
222/// Values contained by a `JsBox` must be `Finalize + 'static`
223///
224/// ### `Finalize`
225///
226/// The `sys::prelude::Finalize` trait provides a `finalize` method that will be called
227/// immediately before the `JsBox` is garbage collected.
228///
229/// ### `'static'
230///
231/// The lifetime of a `JsBox` is managed by the JavaScript garbage collector. Since Rust
232/// is unable to verify the lifetime of the contents, references must be valid for the
233/// entire duration of the program. This does not mean that the `JsBox` will be valid
234/// until the application terminates, only that its lifetime is indefinite.
235impl<T: Finalize + 'static> JsBox<T> {
236 /// Constructs a new `JsBox` containing `value`.
237 pub fn new<'cx, C: Context<'cx>>(cx: &mut C, value: T) -> Handle<'cx, JsBox<T>> {
238 // This function will execute immediately before the `JsBox` is garbage collected.
239 // It unwraps the `napi_external`, downcasts the `BoxAny` and moves the type
240 // out of the `Box`. Lastly, it calls the trait method `Finalize::finalize` of the
241 // contained value `T`.
242 fn finalizer<U: Finalize + 'static>(env: raw::Env, data: BoxAny) {
243 let data = *data.downcast::<U>().unwrap();
244 let env = Env::from(env);
245
246 Cx::with_context(env, move |mut cx| data.finalize(&mut cx));
247 }
248
249 Self::create_external(cx, value, finalizer::<T>)
250 }
251}
252
253impl<T: 'static> JsBox<T> {
254 pub(crate) fn manually_finalize<'cx>(cx: &mut Cx<'cx>, value: T) -> Handle<'cx, JsBox<T>> {
255 fn finalizer(_env: raw::Env, _data: BoxAny) {}
256
257 Self::create_external(cx, value, finalizer)
258 }
259
260 fn create_external<'cx, C: Context<'cx>>(
261 cx: &mut C,
262 value: T,
263 finalizer: fn(raw::Env, BoxAny),
264 ) -> Handle<'cx, JsBox<T>> {
265 let v = Box::new(value) as BoxAny;
266
267 // Since this value was just constructed, we know it is `T`
268 let raw_data = &*v as *const dyn Any as *const T;
269 let local = unsafe { external::create(cx.env().to_raw(), v, finalizer) };
270
271 Handle::new_internal(JsBox(JsBoxInner { local, raw_data }))
272 }
273}
274
275impl<T: 'static> JsBox<T> {
276 /// Gets a reference to the inner value of a [`JsBox`]. This method is similar to
277 /// [dereferencing](JsBox::deref) a `JsBox` (e.g., `&*boxed`), but the lifetime
278 /// is _safely_ extended to `'cx`.
279 ///
280 /// See also [`Handle<JsBox>::as_inner`].
281 // N.B.: This would be cleaner with https://github.com/rust-lang/rust/issues/44874
282 pub fn deref<'cx>(v: &Handle<'cx, Self>) -> &'cx T {
283 v.as_inner()
284 }
285}
286
287impl<'cx, T: 'static> Handle<'cx, JsBox<T>> {
288 /// Gets a reference to the inner value of a [`JsBox`]. This method is similar to
289 /// [dereferencing](JsBox::deref) a `JsBox` (e.g., `&*boxed`), but the lifetime
290 /// is _safely_ extended to `'cx`.
291 ///
292 /// See also [`JsBox::deref`].
293 pub fn as_inner(&self) -> &'cx T {
294 // # Safety
295 // JS values associated with an in-scope `Context` *cannot* be garbage collected.
296 // This value is guaranteed to live at least as long as `'cx`.
297 unsafe { &*self.0.raw_data }
298 }
299}
300
301impl<T: 'static> Deref for JsBox<T> {
302 type Target = T;
303
304 fn deref(&self) -> &Self::Target {
305 // # Safety
306 // `T` will live at least as long as `JsBox<T>` because it may not be garbage
307 // collected while in scope and only immutable references can be obtained.
308 unsafe { &*self.0.raw_data }
309 }
310}
311
312/// A trait for finalizing values owned by the main JavaScript thread.
313///
314/// [`Finalize::finalize`] is executed on the main JavaScript thread
315/// immediately before garbage collection.
316///
317/// Values contained by a `JsBox` must implement `Finalize`.
318///
319/// ## Examples
320///
321/// `Finalize` provides a default implementation that does not perform any finalization.
322///
323/// ```rust
324/// # use neon::prelude::*;
325/// struct Point(f64, f64);
326///
327/// impl Finalize for Point {}
328/// ```
329///
330/// A `finalize` method may be specified for performing clean-up operations before dropping
331/// the contained value.
332///
333/// ```rust
334/// # use neon::prelude::*;
335/// struct Point(f64, f64);
336///
337/// impl Finalize for Point {
338/// fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
339/// cx.global_object()
340/// .method(cx.cx_mut(), "emit").unwrap()
341/// .args(("gc_point", self.0, self.1)).unwrap()
342/// .exec().unwrap();
343/// }
344/// }
345/// ```
346pub trait Finalize: Sized {
347 fn finalize<'a, C: Context<'a>>(self, _: &mut C) {}
348}
349
350// Primitives
351
352impl Finalize for bool {}
353
354impl Finalize for char {}
355
356impl Finalize for i8 {}
357
358impl Finalize for i16 {}
359
360impl Finalize for i32 {}
361
362impl Finalize for i64 {}
363
364impl Finalize for isize {}
365
366impl Finalize for u8 {}
367
368impl Finalize for u16 {}
369
370impl Finalize for u32 {}
371
372impl Finalize for u64 {}
373
374impl Finalize for usize {}
375
376impl Finalize for f32 {}
377
378impl Finalize for f64 {}
379
380// Common types
381
382impl Finalize for String {}
383
384impl Finalize for std::path::PathBuf {}
385
386// Tuples
387
388macro_rules! finalize_tuple_impls {
389 ($( $name:ident )+) => {
390 impl<$($name: Finalize),+> Finalize for ($($name,)+) {
391 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
392 #![allow(non_snake_case)]
393 let ($($name,)+) = self;
394 ($($name.finalize(cx),)+);
395 }
396 }
397 };
398}
399
400impl Finalize for () {}
401finalize_tuple_impls! { T0 }
402finalize_tuple_impls! { T0 T1 }
403finalize_tuple_impls! { T0 T1 T2 }
404finalize_tuple_impls! { T0 T1 T2 T3 }
405finalize_tuple_impls! { T0 T1 T2 T3 T4 }
406finalize_tuple_impls! { T0 T1 T2 T3 T4 T5 }
407finalize_tuple_impls! { T0 T1 T2 T3 T4 T5 T6 }
408finalize_tuple_impls! { T0 T1 T2 T3 T4 T5 T6 T7 }
409
410// Collections
411
412impl<T: Finalize> Finalize for Vec<T> {
413 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
414 for item in self {
415 item.finalize(cx);
416 }
417 }
418}
419
420// Smart pointers and other wrappers
421
422impl<T: Finalize> Finalize for std::boxed::Box<T> {
423 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
424 (*self).finalize(cx);
425 }
426}
427
428impl<T: Finalize> Finalize for Option<T> {
429 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
430 if let Some(v) = self {
431 v.finalize(cx);
432 }
433 }
434}
435
436impl<T: Finalize> Finalize for std::rc::Rc<T> {
437 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
438 if let Ok(v) = std::rc::Rc::try_unwrap(self) {
439 v.finalize(cx);
440 }
441 }
442}
443
444impl<T: Finalize> Finalize for std::sync::Arc<T> {
445 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
446 if let Ok(v) = std::sync::Arc::try_unwrap(self) {
447 v.finalize(cx);
448 }
449 }
450}
451
452impl<T: Finalize> Finalize for std::sync::Mutex<T> {
453 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
454 if let Ok(v) = self.into_inner() {
455 v.finalize(cx);
456 }
457 }
458}
459
460impl<T: Finalize> Finalize for std::sync::RwLock<T> {
461 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
462 if let Ok(v) = self.into_inner() {
463 v.finalize(cx);
464 }
465 }
466}
467
468impl<T: Finalize> Finalize for std::cell::Cell<T> {
469 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
470 self.into_inner().finalize(cx);
471 }
472}
473
474impl<T: Finalize> Finalize for std::cell::RefCell<T> {
475 fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
476 self.into_inner().finalize(cx);
477 }
478}