neon/handle/
root.rs

1use std::{ffi::c_void, marker::PhantomData};
2
3use crate::{
4    context::Context,
5    handle::Handle,
6    object::Object,
7    sys::{raw, reference},
8    types::boxed::Finalize,
9};
10
11#[cfg(feature = "napi-6")]
12use {
13    crate::{
14        lifecycle::{DropData, InstanceData, InstanceId},
15        sys::tsfn::ThreadsafeFunction,
16    },
17    std::sync::Arc,
18};
19
20#[cfg(not(feature = "napi-6"))]
21use std::thread::{self, ThreadId};
22
23#[cfg(not(feature = "napi-6"))]
24type InstanceId = ThreadId;
25
26#[repr(transparent)]
27#[derive(Clone)]
28pub(crate) struct NapiRef(*mut c_void);
29
30impl NapiRef {
31    /// # Safety
32    /// Must only be used from the same module context that created the reference
33    pub(crate) unsafe fn unref(self, env: raw::Env) {
34        reference::unreference(env, self.0.cast());
35    }
36}
37
38// # Safety
39// `NapiRef` are reference counted types that allow references to JavaScript objects
40// to outlive a `Context` (`napi_env`). Since access is serialized by obtaining a
41// `Context`, they are both `Send` and `Sync`.
42// https://nodejs.org/api/n-api.html#n_api_references_to_objects_with_a_lifespan_longer_than_that_of_the_native_method
43unsafe impl Send for NapiRef {}
44
45unsafe impl Sync for NapiRef {}
46
47/// A thread-safe handle that holds a reference to a JavaScript object and
48/// prevents it from being garbage collected.
49///
50/// A `Root<T>` may be sent across threads, but the referenced object may
51/// only be accessed on the JavaScript thread that created it.
52pub struct Root<T> {
53    // `Option` is used to skip `Drop` when `Root::drop` or `Root::into_inner` is used.
54    // It will *always* be `Some` when a user is interacting with `Root`.
55    internal: Option<NapiRef>,
56    instance_id: InstanceId,
57    #[cfg(feature = "napi-6")]
58    drop_queue: Arc<ThreadsafeFunction<DropData>>,
59    _phantom: PhantomData<T>,
60}
61
62impl<T> std::fmt::Debug for Root<T> {
63    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
64        write!(f, "Root<{}>", std::any::type_name::<T>())
65    }
66}
67
68// `Root` are intended to be `Send` and `Sync`
69// Safety: `Root` contains two types. A `NapiRef` which is `Send` and `Sync` and a
70// `PhantomData` that does not impact the safety.
71unsafe impl<T> Send for Root<T> {}
72
73unsafe impl<T> Sync for Root<T> {}
74
75#[cfg(feature = "napi-6")]
76fn instance_id<'a, C: Context<'a>>(cx: &mut C) -> InstanceId {
77    InstanceData::id(cx)
78}
79
80#[cfg(not(feature = "napi-6"))]
81fn instance_id<'a, C: Context<'a>>(_: &mut C) -> InstanceId {
82    thread::current().id()
83}
84
85impl<T: Object> Root<T> {
86    /// Create a reference to a JavaScript object. The object will not be
87    /// garbage collected until the `Root` is dropped. A `Root<T>` may only
88    /// be dropped on the JavaScript thread that created it.
89    ///
90    /// The caller _should_ ensure `Root::into_inner` or `Root::drop` is called
91    /// to properly dispose of the `Root<T>`. If the value is dropped without
92    /// calling one of these methods:
93    /// * N-API < 6, Neon will `panic` to notify of the leak
94    /// * N-API >= 6, Neon will drop from a global queue at a runtime cost
95    pub fn new<'a, C: Context<'a>>(cx: &mut C, value: &T) -> Self {
96        let env = cx.env().to_raw();
97        let internal = unsafe { reference::new(env, value.to_local()) };
98
99        Self {
100            internal: Some(NapiRef(internal as *mut _)),
101            instance_id: instance_id(cx),
102            #[cfg(feature = "napi-6")]
103            drop_queue: InstanceData::drop_queue(cx),
104            _phantom: PhantomData,
105        }
106    }
107
108    /// Clone a reference to the contained JavaScript object. This method can
109    /// be considered identical to the following:
110    /// ```
111    /// # use neon::prelude::*;
112    /// # fn my_neon_function(mut cx: FunctionContext) -> JsResult<JsUndefined> {
113    /// # let root = cx.argument::<JsObject>(0)?.root(&mut cx);
114    /// let inner = root.into_inner(&mut cx);
115    /// let cloned = inner.root(&mut cx);
116    /// let root = inner.root(&mut cx);
117    /// # Ok(cx.undefined())
118    /// # }
119    /// ```
120    pub fn clone<'a, C: Context<'a>>(&self, cx: &mut C) -> Self {
121        let env = cx.env();
122        let internal = self.as_napi_ref(cx).0 as *mut _;
123
124        unsafe {
125            reference::reference(env.to_raw(), internal);
126        };
127
128        Self {
129            internal: self.internal.clone(),
130            instance_id: instance_id(cx),
131            #[cfg(feature = "napi-6")]
132            drop_queue: Arc::clone(&self.drop_queue),
133            _phantom: PhantomData,
134        }
135    }
136
137    /// Safely drop a `Root<T>` without returning the referenced JavaScript
138    /// object.
139    pub fn drop<'a, C: Context<'a>>(self, cx: &mut C) {
140        let env = cx.env().to_raw();
141
142        unsafe {
143            self.into_napi_ref(cx).unref(env);
144        }
145    }
146
147    /// Return the referenced JavaScript object and allow it to be garbage collected.
148    ///
149    /// # Panics
150    ///
151    /// This method panics if it is called from a different JavaScript thread than the
152    /// one in which the handle was created.
153    pub fn into_inner<'a, C: Context<'a>>(self, cx: &mut C) -> Handle<'a, T> {
154        let env = cx.env();
155        let internal = self.into_napi_ref(cx);
156        let local = unsafe { reference::get(env.to_raw(), internal.0.cast()) };
157
158        unsafe {
159            internal.unref(env.to_raw());
160        }
161
162        Handle::new_internal(unsafe { T::from_local(env, local) })
163    }
164
165    /// Access the inner JavaScript object without consuming the `Root`
166    /// This method aliases the reference without changing the reference count. It
167    /// can be used in place of a clone immediately followed by a call to `into_inner`.
168    ///
169    /// # Panics
170    ///
171    /// This method panics if it is called from a different JavaScript thread than the
172    /// one in which the handle was created.
173    pub fn to_inner<'a, C: Context<'a>>(&self, cx: &mut C) -> Handle<'a, T> {
174        let env = cx.env();
175        let local = unsafe { reference::get(env.to_raw(), self.as_napi_ref(cx).0 as *mut _) };
176
177        Handle::new_internal(unsafe { T::from_local(env, local) })
178    }
179
180    fn as_napi_ref<'a, C: Context<'a>>(&self, cx: &mut C) -> &NapiRef {
181        if self.instance_id != instance_id(cx) {
182            panic!("Attempted to dereference a `neon::handle::Root` from the wrong module ");
183        }
184
185        self.internal
186            .as_ref()
187            // `unwrap` will not `panic` because `internal` will always be `Some`
188            // until the `Root` is consumed.
189            .unwrap()
190    }
191
192    fn into_napi_ref<'a, C: Context<'a>>(mut self, cx: &mut C) -> NapiRef {
193        let reference = self.as_napi_ref(cx).clone();
194        // This uses `as_napi_ref` instead of `Option::take` for the instance id safety check
195        self.internal = None;
196        reference
197    }
198}
199
200// Allows putting `Root<T>` directly in a container that implements `Finalize`
201// For example, `Vec<Root<T>>` or `JsBox`.
202impl<T: Object> Finalize for Root<T> {
203    fn finalize<'a, C: Context<'a>>(self, cx: &mut C) {
204        self.drop(cx);
205    }
206}
207
208impl<T> Drop for Root<T> {
209    #[cfg(not(feature = "napi-6"))]
210    fn drop(&mut self) {
211        // If `None`, the `NapiRef` has already been manually dropped
212        if self.internal.is_none() {
213            return;
214        }
215
216        // Destructors are called during stack unwinding, prevent a double
217        // panic and instead prefer to leak.
218        if std::thread::panicking() {
219            eprintln!("Warning: neon::handle::Root leaked during a panic");
220            return;
221        }
222
223        // Only panic if the event loop is still running
224        if let Ok(true) = crate::context::internal::IS_RUNNING.try_with(|v| *v.borrow()) {
225            panic!("Must call `into_inner` or `drop` on `neon::handle::Root`");
226        }
227    }
228
229    #[cfg(feature = "napi-6")]
230    fn drop(&mut self) {
231        // If `None`, the `NapiRef` has already been manually dropped
232        if let Some(internal) = self.internal.take() {
233            let _ = self.drop_queue.call(DropData::Ref(internal), None);
234        }
235    }
236}