neon/types_impl/buffer/types.rs
1use std::{marker::PhantomData, slice};
2
3use crate::{
4 context::{
5 internal::{ContextInternal, Env},
6 Context, Cx,
7 },
8 handle::{internal::TransparentNoCopyWrapper, Handle},
9 object::Object,
10 result::{JsResult, Throw},
11 sys::{self, raw, typedarray::TypedArrayInfo, TypedArrayType},
12 types_impl::{
13 buffer::{
14 lock::{Ledger, Lock},
15 private::{self, JsTypedArrayInner},
16 BorrowError, Ref, RefMut, Region, TypedArray,
17 },
18 private::ValueInternal,
19 Value,
20 },
21};
22
23#[cfg(feature = "doc-comment")]
24use doc_comment::doc_comment;
25
26#[cfg(not(feature = "doc-comment"))]
27macro_rules! doc_comment {
28 {$comment:expr, $decl:item} => { $decl };
29}
30
31/// The type of Node
32/// [`Buffer`](https://nodejs.org/api/buffer.html)
33/// objects.
34///
35/// # Example
36///
37/// ```
38/// # use neon::prelude::*;
39/// use neon::types::buffer::TypedArray;
40///
41/// fn make_sequence(mut cx: FunctionContext) -> JsResult<JsBuffer> {
42/// let len = cx.argument::<JsNumber>(0)?.value(&mut cx);
43/// let mut buffer = cx.buffer(len as usize)?;
44///
45/// for (i, elem) in buffer.as_mut_slice(&mut cx).iter_mut().enumerate() {
46/// *elem = i as u8;
47/// }
48///
49/// Ok(buffer)
50/// }
51/// ```
52#[derive(Debug)]
53#[repr(transparent)]
54pub struct JsBuffer(raw::Local);
55
56impl JsBuffer {
57 /// Constructs a new `Buffer` object, safely zero-filled.
58 ///
59 /// **See also:** [`Context::buffer`]
60 pub fn new<'a, C: Context<'a>>(cx: &mut C, len: usize) -> JsResult<'a, Self> {
61 unsafe {
62 let result = sys::buffer::new(cx.env().to_raw(), len);
63
64 if let Ok(buf) = result {
65 Ok(Handle::new_internal(Self(buf)))
66 } else {
67 Err(Throw::new())
68 }
69 }
70 }
71
72 /// Constructs a `JsBuffer` from a slice by copying its contents.
73 ///
74 /// This method is defined on `JsBuffer` as a convenience and delegates to
75 /// [`TypedArray::from_slice`][TypedArray::from_slice].
76 pub fn from_slice<'cx, C>(cx: &mut C, slice: &[u8]) -> JsResult<'cx, Self>
77 where
78 C: Context<'cx>,
79 {
80 <JsBuffer as TypedArray>::from_slice(cx, slice)
81 }
82
83 /// Constructs a new `Buffer` object with uninitialized memory
84 pub unsafe fn uninitialized<'a, C: Context<'a>>(cx: &mut C, len: usize) -> JsResult<'a, Self> {
85 let result = sys::buffer::uninitialized(cx.env().to_raw(), len);
86
87 if let Ok((buf, _)) = result {
88 Ok(Handle::new_internal(Self(buf)))
89 } else {
90 Err(Throw::new())
91 }
92 }
93
94 #[cfg(feature = "external-buffers")]
95 #[cfg_attr(docsrs, doc(cfg(feature = "external-buffers")))]
96 /// Construct a new `Buffer` from bytes allocated by Rust.
97 ///
98 /// # Compatibility Note
99 ///
100 /// Some Node environments are built using V8's _sandboxed pointers_ functionality, which
101 /// [disallows the use of external buffers](https://www.electronjs.org/blog/v8-memory-cage).
102 /// In those environments, calling the underlying
103 /// [runtime function](https://nodejs.org/api/n-api.html#napi_create_external_buffer)
104 /// used by this method results in an immediate termination of the Node VM.
105 ///
106 /// As a result, this API is disabled by default. If you are confident that your code will
107 /// only be used in environments that disable sandboxed pointers, you can make use of this
108 /// method by enabling the **`external-buffers`** feature flag.
109 pub fn external<'a, C, T>(cx: &mut C, data: T) -> Handle<'a, Self>
110 where
111 C: Context<'a>,
112 T: AsMut<[u8]> + Send + 'static,
113 {
114 let env = cx.env().to_raw();
115 let value = unsafe { sys::buffer::new_external(env, data) };
116
117 Handle::new_internal(Self(value))
118 }
119}
120
121unsafe impl TransparentNoCopyWrapper for JsBuffer {
122 type Inner = raw::Local;
123
124 fn into_inner(self) -> Self::Inner {
125 self.0
126 }
127}
128
129impl ValueInternal for JsBuffer {
130 fn name() -> &'static str {
131 "Buffer"
132 }
133
134 fn is_typeof<Other: Value>(cx: &mut Cx, other: &Other) -> bool {
135 unsafe { sys::tag::is_buffer(cx.env().to_raw(), other.to_local()) }
136 }
137
138 fn to_local(&self) -> raw::Local {
139 self.0
140 }
141
142 unsafe fn from_local(_env: Env, h: raw::Local) -> Self {
143 Self(h)
144 }
145}
146
147impl Value for JsBuffer {}
148
149impl Object for JsBuffer {}
150
151impl private::Sealed for JsBuffer {}
152
153impl TypedArray for JsBuffer {
154 type Item = u8;
155
156 fn as_slice<'cx, 'a, C>(&self, cx: &'a C) -> &'a [Self::Item]
157 where
158 C: Context<'cx>,
159 {
160 // # Safety
161 // Only the `Context` with the *most* narrow scope is accessible because `compute_scoped`
162 // and `execute_scope` take an exclusive reference to `Context`. A handle is always
163 // associated with a `Context` and the value will not be garbage collected while that
164 // `Context` is in scope. This means that the referenced data is valid *at least* as long
165 // as `Context`, even if the `Handle` is dropped.
166 unsafe { sys::buffer::as_mut_slice(cx.env().to_raw(), self.to_local()) }
167 }
168
169 fn as_mut_slice<'cx, 'a, C>(&mut self, cx: &'a mut C) -> &'a mut [Self::Item]
170 where
171 C: Context<'cx>,
172 {
173 // # Safety
174 // See `as_slice`
175 unsafe { sys::buffer::as_mut_slice(cx.env().to_raw(), self.to_local()) }
176 }
177
178 fn try_borrow<'cx, 'a, C>(&self, lock: &'a Lock<C>) -> Result<Ref<'a, Self::Item>, BorrowError>
179 where
180 C: Context<'cx>,
181 {
182 // The borrowed data must be guarded by `Ledger` before returning
183 Ledger::try_borrow(&lock.ledger, unsafe {
184 sys::buffer::as_mut_slice(lock.cx.env().to_raw(), self.to_local())
185 })
186 }
187
188 fn try_borrow_mut<'cx, 'a, C>(
189 &mut self,
190 lock: &'a Lock<C>,
191 ) -> Result<RefMut<'a, Self::Item>, BorrowError>
192 where
193 C: Context<'cx>,
194 {
195 // The borrowed data must be guarded by `Ledger` before returning
196 Ledger::try_borrow_mut(&lock.ledger, unsafe {
197 sys::buffer::as_mut_slice(lock.cx.env().to_raw(), self.to_local())
198 })
199 }
200
201 fn size<'cx, C: Context<'cx>>(&self, cx: &mut C) -> usize {
202 unsafe { sys::buffer::size(cx.env().to_raw(), self.to_local()) }
203 }
204
205 fn from_slice<'cx, C>(cx: &mut C, slice: &[u8]) -> JsResult<'cx, Self>
206 where
207 C: Context<'cx>,
208 {
209 let mut buffer = cx.buffer(slice.len())?;
210 let target = buffer.as_mut_slice(cx);
211 target.copy_from_slice(slice);
212 Ok(buffer)
213 }
214}
215
216/// The type of JavaScript
217/// [`ArrayBuffer`](https://developer.mozilla.org/docs/Web/JavaScript/Reference/Global_Objects/ArrayBuffer)
218/// objects.
219///
220/// # Example
221///
222/// ```
223/// # use neon::prelude::*;
224/// use neon::types::buffer::TypedArray;
225///
226/// fn make_sequence(mut cx: FunctionContext) -> JsResult<JsArrayBuffer> {
227/// let len = cx.argument::<JsNumber>(0)?.value(&mut cx);
228/// let mut buffer = cx.array_buffer(len as usize)?;
229///
230/// for (i, elem) in buffer.as_mut_slice(&mut cx).iter_mut().enumerate() {
231/// *elem = i as u8;
232/// }
233///
234/// Ok(buffer)
235/// }
236/// ```
237#[derive(Debug)]
238#[repr(transparent)]
239pub struct JsArrayBuffer(raw::Local);
240
241impl JsArrayBuffer {
242 /// Constructs a new `JsArrayBuffer` object, safely zero-filled.
243 ///
244 /// **See also:** [`Context::array_buffer`]
245 pub fn new<'a, C: Context<'a>>(cx: &mut C, len: usize) -> JsResult<'a, Self> {
246 unsafe {
247 let result = sys::arraybuffer::new(cx.env().to_raw(), len);
248
249 if let Ok(buf) = result {
250 Ok(Handle::new_internal(Self(buf)))
251 } else {
252 Err(Throw::new())
253 }
254 }
255 }
256
257 /// Constructs a `JsArrayBuffer` from a slice by copying its contents.
258 ///
259 /// This method is defined on `JsArrayBuffer` as a convenience and delegates to
260 /// [`TypedArray::from_slice`][TypedArray::from_slice].
261 pub fn from_slice<'cx, C>(cx: &mut C, slice: &[u8]) -> JsResult<'cx, Self>
262 where
263 C: Context<'cx>,
264 {
265 <JsArrayBuffer as TypedArray>::from_slice(cx, slice)
266 }
267
268 #[cfg(feature = "external-buffers")]
269 #[cfg_attr(docsrs, doc(cfg(feature = "external-buffers")))]
270 /// Construct a new `JsArrayBuffer` from bytes allocated by Rust.
271 ///
272 /// # Compatibility Note
273 ///
274 /// Some Node environments are built using V8's _sandboxed pointers_ functionality, which
275 /// [disallows the use of external buffers](https://www.electronjs.org/blog/v8-memory-cage).
276 /// In those environments, calling the underlying
277 /// [runtime function](https://nodejs.org/api/n-api.html#napi_create_external_arraybuffer)
278 /// used by this method results in an immediate termination of the Node VM.
279 ///
280 /// As a result, this API is disabled by default. If you are confident that your code will
281 /// only be used in environments that disable sandboxed pointers, you can make use of this
282 /// method by enabling the **`external-buffers`** feature flag.
283 pub fn external<'a, C, T>(cx: &mut C, data: T) -> Handle<'a, Self>
284 where
285 C: Context<'a>,
286 T: AsMut<[u8]> + Send + 'static,
287 {
288 let env = cx.env().to_raw();
289 let value = unsafe { sys::arraybuffer::new_external(env, data) };
290
291 Handle::new_internal(Self(value))
292 }
293
294 /// Returns a region of this buffer.
295 ///
296 /// See also: [`Handle<JsArrayBuffer>::region()`](Handle::region) for a more
297 /// ergonomic form of this method.
298 pub fn region<'cx, T: Binary>(
299 buffer: &Handle<'cx, JsArrayBuffer>,
300 offset: usize,
301 len: usize,
302 ) -> Region<'cx, T> {
303 buffer.region(offset, len)
304 }
305}
306
307impl<'cx> Handle<'cx, JsArrayBuffer> {
308 /// Returns a [`Region`] representing a typed
309 /// region of this buffer, starting at `offset` and containing `len` elements
310 /// of type `T`.
311 ///
312 /// The region is **not** checked for validity by this method. Regions are only
313 /// validated when they are converted to typed arrays.
314 ///
315 /// # Example
316 ///
317 /// ```
318 /// # use neon::prelude::*;
319 /// # fn f(mut cx: FunctionContext) -> JsResult<JsUndefined> {
320 /// let buf: Handle<JsArrayBuffer> = cx.argument(0)?;
321 /// let region = buf.region::<u32>(64, 8);
322 /// println!("offset={}, len={}, size={}", region.offset(), region.len(), region.size());
323 /// # Ok(cx.undefined())
324 /// # }
325 /// ```
326 ///
327 /// See the [`Region`] documentation for more information.
328 pub fn region<T: Binary>(&self, offset: usize, len: usize) -> Region<'cx, T> {
329 Region {
330 buffer: *self,
331 offset,
332 len,
333 phantom: PhantomData,
334 }
335 }
336}
337
338unsafe impl TransparentNoCopyWrapper for JsArrayBuffer {
339 type Inner = raw::Local;
340
341 fn into_inner(self) -> Self::Inner {
342 self.0
343 }
344}
345
346impl ValueInternal for JsArrayBuffer {
347 fn name() -> &'static str {
348 "JsArrayBuffer"
349 }
350
351 fn is_typeof<Other: Value>(cx: &mut Cx, other: &Other) -> bool {
352 unsafe { sys::tag::is_arraybuffer(cx.env().to_raw(), other.to_local()) }
353 }
354
355 fn to_local(&self) -> raw::Local {
356 self.0
357 }
358
359 unsafe fn from_local(_env: Env, h: raw::Local) -> Self {
360 Self(h)
361 }
362}
363
364impl Value for JsArrayBuffer {}
365
366impl Object for JsArrayBuffer {}
367
368impl private::Sealed for JsArrayBuffer {}
369
370impl TypedArray for JsArrayBuffer {
371 type Item = u8;
372
373 fn as_slice<'cx, 'a, C>(&self, cx: &'a C) -> &'a [Self::Item]
374 where
375 C: Context<'cx>,
376 {
377 unsafe { sys::arraybuffer::as_mut_slice(cx.env().to_raw(), self.to_local()) }
378 }
379
380 fn as_mut_slice<'cx, 'a, C>(&mut self, cx: &'a mut C) -> &'a mut [Self::Item]
381 where
382 C: Context<'cx>,
383 {
384 unsafe { sys::arraybuffer::as_mut_slice(cx.env().to_raw(), self.to_local()) }
385 }
386
387 fn try_borrow<'cx, 'a, C>(&self, lock: &'a Lock<C>) -> Result<Ref<'a, Self::Item>, BorrowError>
388 where
389 C: Context<'cx>,
390 {
391 // The borrowed data must be guarded by `Ledger` before returning
392 Ledger::try_borrow(&lock.ledger, unsafe {
393 sys::arraybuffer::as_mut_slice(lock.cx.env().to_raw(), self.to_local())
394 })
395 }
396
397 fn try_borrow_mut<'cx, 'a, C>(
398 &mut self,
399 lock: &'a Lock<C>,
400 ) -> Result<RefMut<'a, Self::Item>, BorrowError>
401 where
402 C: Context<'cx>,
403 {
404 // The borrowed data must be guarded by `Ledger` before returning
405 Ledger::try_borrow_mut(&lock.ledger, unsafe {
406 sys::arraybuffer::as_mut_slice(lock.cx.env().to_raw(), self.to_local())
407 })
408 }
409
410 fn size<'cx, C: Context<'cx>>(&self, cx: &mut C) -> usize {
411 unsafe { sys::arraybuffer::size(cx.env().to_raw(), self.to_local()) }
412 }
413
414 fn from_slice<'cx, C>(cx: &mut C, slice: &[u8]) -> JsResult<'cx, Self>
415 where
416 C: Context<'cx>,
417 {
418 let len = slice.len();
419 let mut buffer = JsArrayBuffer::new(cx, len)?;
420 let target = buffer.as_mut_slice(cx);
421 target.copy_from_slice(slice);
422 Ok(buffer)
423 }
424}
425
426/// A marker trait for all possible element types of binary buffers.
427///
428/// This trait can only be implemented within the Neon library.
429pub trait Binary: private::Sealed + Copy {
430 /// The internal Node-API enum value for this binary type.
431 const TYPE_TAG: TypedArrayType;
432}
433
434/// The family of JavaScript [typed array][typed-arrays] types.
435///
436/// ## Typed Arrays
437///
438/// JavaScript's [typed arrays][typed-arrays] are objects that allow efficiently reading
439/// and writing raw binary data in memory. In Neon, the generic type `JsTypedArray<T>`
440/// represents a JavaScript typed array with element type `T`. For example, a JavaScript
441/// [`Uint32Array`][Uint32Array] represents a compact array of 32-bit unsigned integers,
442/// and is represented in Neon as a `JsTypedArray<u32>`.
443///
444/// Neon also offers a set of convenience shorthands for concrete instances of
445/// `JsTypedArray`, named after their corresponding JavaScript type. For example,
446/// `JsTypedArray<u32>` can also be referred to as [`JsUint32Array`][JsUint32Array].
447///
448/// The following table shows the complete set of typed array types, with both their
449/// JavaScript and Neon types:
450///
451/// | Rust Type | Convenience Type | JavaScript Type |
452/// | ------------------------------ | -------------------------------------- | ---------------------------------- |
453/// | `JsTypedArray<`[`u8`][u8]`>` | [`JsUint8Array`][JsUint8Array] | [`Uint8Array`][Uint8Array] |
454/// | `JsTypedArray<`[`i8`][i8]`>` | [`JsInt8Array`][JsInt8Array] | [`Int8Array`][Int8Array] |
455/// | `JsTypedArray<`[`u16`][u16]`>` | [`JsUint16Array`][JsUint16Array] | [`Uint16Array`][Uint16Array] |
456/// | `JsTypedArray<`[`i16`][i16]`>` | [`JsInt16Array`][JsInt16Array] | [`Int16Array`][Int16Array] |
457/// | `JsTypedArray<`[`u32`][u32]`>` | [`JsUint32Array`][JsUint32Array] | [`Uint32Array`][Uint32Array] |
458/// | `JsTypedArray<`[`i32`][i32]`>` | [`JsInt32Array`][JsInt32Array] | [`Int32Array`][Int32Array] |
459/// | `JsTypedArray<`[`u64`][u64]`>` | [`JsBigUint64Array`][JsBigUint64Array] | [`BigUint64Array`][BigUint64Array] |
460/// | `JsTypedArray<`[`i64`][i64]`>` | [`JsBigInt64Array`][JsBigInt64Array] | [`BigInt64Array`][BigInt64Array] |
461/// | `JsTypedArray<`[`f32`][f32]`>` | [`JsFloat32Array`][JsFloat32Array] | [`Float32Array`][Float32Array] |
462/// | `JsTypedArray<`[`f64`][f64]`>` | [`JsFloat64Array`][JsFloat64Array] | [`Float64Array`][Float64Array] |
463///
464/// ### Example: Creating an integer array
465///
466/// This example creates a typed array of unsigned 32-bit integers with a user-specified
467/// length:
468///
469/// ```
470/// # use neon::prelude::*;
471/// fn create_int_array(mut cx: FunctionContext) -> JsResult<JsTypedArray<u32>> {
472/// let len = cx.argument::<JsNumber>(0)?.value(&mut cx) as usize;
473/// JsTypedArray::new(&mut cx, len)
474/// }
475/// ```
476///
477/// ## Buffers
478///
479/// Typed arrays are managed with the [`ArrayBuffer`][ArrayBuffer] type, which controls
480/// the storage of the underlying data buffer, and several typed views for managing access
481/// to the buffer. Neon provides access to the `ArrayBuffer` class with the
482/// [`JsArrayBuffer`](crate::types::JsArrayBuffer) type.
483///
484/// Node also provides a [`Buffer`][Buffer] type, which is built on top of `ArrayBuffer`
485/// and provides additional functionality. Neon provides access to the `Buffer` class
486/// with the [`JsBuffer`](crate::types::JsBuffer) type.
487///
488/// Many of Node's I/O APIs work with these types, and they can also be used for
489/// compact in-memory data structures, which can be shared efficiently between
490/// JavaScript and Rust without copying.
491///
492/// [u8]: std::primitive::u8
493/// [i8]: std::primitive::i8
494/// [u16]: std::primitive::u16
495/// [i16]: std::primitive::i16
496/// [u32]: std::primitive::u32
497/// [i32]: std::primitive::i32
498/// [u64]: std::primitive::u64
499/// [i64]: std::primitive::i64
500/// [f32]: std::primitive::f32
501/// [f64]: std::primitive::f64
502/// [JsUint8Array]: crate::types::JsUint8Array
503/// [JsInt8Array]: crate::types::JsInt8Array
504/// [JsUint16Array]: crate::types::JsUint16Array
505/// [JsInt16Array]: crate::types::JsInt16Array
506/// [JsUint32Array]: crate::types::JsUint32Array
507/// [JsInt32Array]: crate::types::JsInt32Array
508/// [JsBigUint64Array]: crate::types::JsBigUint64Array
509/// [JsBigInt64Array]: crate::types::JsBigInt64Array
510/// [JsFloat32Array]: crate::types::JsFloat32Array
511/// [JsFloat64Array]: crate::types::JsFloat64Array
512/// [Uint8Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Uint8Array
513/// [Int8Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Int8Array
514/// [Uint16Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Uint16Array
515/// [Int16Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Int16Array
516/// [Uint32Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Uint32Array
517/// [Int32Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Int32Array
518/// [BigUint64Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/BigUint64Array
519/// [BigInt64Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/BigInt64Array
520/// [Float32Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Float32Array
521/// [Float64Array]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Float64Array
522/// [typed-arrays]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Typed_arrays
523/// [ArrayBuffer]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/ArrayBuffer
524/// [Buffer]: https://nodejs.org/api/buffer.html
525#[derive(Debug)]
526#[repr(transparent)]
527pub struct JsTypedArray<T: Binary>(JsTypedArrayInner<T>);
528
529impl<T: Binary> private::Sealed for JsTypedArray<T> {}
530
531unsafe impl<T: Binary> TransparentNoCopyWrapper for JsTypedArray<T> {
532 type Inner = JsTypedArrayInner<T>;
533
534 fn into_inner(self) -> Self::Inner {
535 self.0
536 }
537}
538
539impl<T> TypedArray for JsTypedArray<T>
540where
541 T: Binary,
542 Self: Value,
543{
544 type Item = T;
545
546 fn as_slice<'cx, 'a, C>(&self, cx: &'a C) -> &'a [Self::Item]
547 where
548 C: Context<'cx>,
549 {
550 unsafe {
551 let env = cx.env().to_raw();
552 let value = self.to_local();
553 let info = sys::typedarray::info(env, value);
554
555 slice_from_info(info)
556 }
557 }
558
559 fn as_mut_slice<'cx, 'a, C>(&mut self, cx: &'a mut C) -> &'a mut [Self::Item]
560 where
561 C: Context<'cx>,
562 {
563 unsafe {
564 let env = cx.env().to_raw();
565 let value = self.to_local();
566 let info = sys::typedarray::info(env, value);
567
568 slice_from_info_mut(info)
569 }
570 }
571
572 fn try_borrow<'cx, 'b, C>(
573 &self,
574 lock: &'b Lock<'b, C>,
575 ) -> Result<Ref<'b, Self::Item>, BorrowError>
576 where
577 C: Context<'cx>,
578 {
579 unsafe {
580 let env = lock.cx.env().to_raw();
581 let value = self.to_local();
582 let info = sys::typedarray::info(env, value);
583
584 // The borrowed data must be guarded by `Ledger` before returning
585 Ledger::try_borrow(&lock.ledger, slice_from_info(info))
586 }
587 }
588
589 fn try_borrow_mut<'cx, 'a, C>(
590 &mut self,
591 lock: &'a Lock<'a, C>,
592 ) -> Result<RefMut<'a, Self::Item>, BorrowError>
593 where
594 C: Context<'cx>,
595 {
596 unsafe {
597 let env = lock.cx.env().to_raw();
598 let value = self.to_local();
599 let info = sys::typedarray::info(env, value);
600
601 // The borrowed data must be guarded by `Ledger` before returning
602 Ledger::try_borrow_mut(&lock.ledger, slice_from_info_mut(info))
603 }
604 }
605
606 fn size<'cx, C: Context<'cx>>(&self, cx: &mut C) -> usize {
607 self.len(cx) * std::mem::size_of::<Self::Item>()
608 }
609
610 fn from_slice<'cx, C>(cx: &mut C, slice: &[T]) -> JsResult<'cx, Self>
611 where
612 C: Context<'cx>,
613 {
614 let _elt_size = std::mem::size_of::<T>();
615 let size = std::mem::size_of_val(slice);
616 let buffer = cx.array_buffer(size)?;
617
618 let mut array = Self::from_buffer(cx, buffer)?;
619 let target = array.as_mut_slice(cx);
620 target.copy_from_slice(slice);
621
622 Ok(array)
623 }
624}
625
626impl<T: Binary> JsTypedArray<T>
627where
628 JsTypedArray<T>: Value,
629{
630 /// Constructs an instance from a slice by copying its contents.
631 ///
632 /// This method is defined on `JsTypedArray` as a convenience and delegates to
633 /// [`TypedArray::from_slice`][TypedArray::from_slice].
634 pub fn from_slice<'cx, C>(cx: &mut C, slice: &[T]) -> JsResult<'cx, Self>
635 where
636 C: Context<'cx>,
637 {
638 <JsTypedArray<T> as TypedArray>::from_slice(cx, slice)
639 }
640}
641
642impl<T> JsTypedArray<T>
643where
644 T: Binary,
645 Self: Value,
646{
647 /// Constructs a typed array that views `buffer`.
648 ///
649 /// The resulting typed array has `(buffer.size() / size_of::<T>())` elements.
650 pub fn from_buffer<'cx, 'b: 'cx, C>(
651 cx: &mut C,
652 buffer: Handle<'b, JsArrayBuffer>,
653 ) -> JsResult<'cx, Self>
654 where
655 C: Context<'cx>,
656 {
657 let size = buffer.size(cx);
658 let elt_size = std::mem::size_of::<T>();
659 let len = size / elt_size;
660
661 if (len * elt_size) != size {
662 return cx.throw_range_error(format!(
663 "byte length of typed array should be a multiple of {elt_size}"
664 ));
665 }
666
667 Self::from_region(cx, &buffer.region(0, len))
668 }
669
670 /// Constructs a typed array for the specified buffer region.
671 ///
672 /// The resulting typed array has `region.len()` elements and a size of
673 /// `region.size()` bytes.
674 ///
675 /// Throws an exception if the region is invalid, for example if the starting
676 /// offset is not properly aligned, or the length goes beyond the end of the
677 /// buffer.
678 pub fn from_region<'c, 'r, C>(cx: &mut C, region: &Region<'r, T>) -> JsResult<'c, Self>
679 where
680 C: Context<'c>,
681 {
682 let &Region {
683 buffer,
684 offset,
685 len,
686 ..
687 } = region;
688
689 let arr = unsafe {
690 sys::typedarray::new(
691 cx.env().to_raw(),
692 T::TYPE_TAG,
693 buffer.to_local(),
694 offset,
695 len,
696 )
697 .map_err(|_| Throw::new())?
698 };
699
700 Ok(Handle::new_internal(Self(JsTypedArrayInner {
701 local: arr,
702 buffer: buffer.to_local(),
703 _type: PhantomData,
704 })))
705 }
706
707 /// Returns information about the backing buffer region for this typed array.
708 pub fn region<'cx, C>(&self, cx: &mut C) -> Region<'cx, T>
709 where
710 C: Context<'cx>,
711 {
712 let env = cx.env();
713 let info = unsafe { sys::typedarray::info(env.to_raw(), self.to_local()) };
714
715 Region {
716 buffer: Handle::new_internal(unsafe { JsArrayBuffer::from_local(cx.env(), info.buf) }),
717 offset: info.offset,
718 len: info.length,
719 phantom: PhantomData,
720 }
721 }
722
723 /// Constructs a new typed array of length `len`.
724 ///
725 /// The resulting typed array has a newly allocated storage buffer of
726 /// size `(len * size_of::<T>())` bytes.
727 pub fn new<'cx, C>(cx: &mut C, len: usize) -> JsResult<'cx, Self>
728 where
729 C: Context<'cx>,
730 {
731 let buffer = cx.array_buffer(len * std::mem::size_of::<T>())?;
732 Self::from_region(cx, &buffer.region(0, len))
733 }
734
735 /// Returns the [`JsArrayBuffer`](JsArrayBuffer) that owns the underlying storage buffer
736 /// for this typed array.
737 ///
738 /// Note that the typed array might only reference a region of the buffer; use the
739 /// [`offset()`](JsTypedArray::offset) and
740 /// [`size()`](crate::types::buffer::TypedArray::size) methods to
741 /// determine the region.
742 pub fn buffer<'cx, C>(&self, cx: &mut C) -> Handle<'cx, JsArrayBuffer>
743 where
744 C: Context<'cx>,
745 {
746 Handle::new_internal(unsafe { JsArrayBuffer::from_local(cx.env(), self.0.buffer) })
747 }
748
749 /// Returns the offset (in bytes) of the typed array from the start of its
750 /// [`JsArrayBuffer`](JsArrayBuffer).
751 pub fn offset<'cx, C>(&self, cx: &mut C) -> usize
752 where
753 C: Context<'cx>,
754 {
755 let info = unsafe { sys::typedarray::info(cx.env().to_raw(), self.to_local()) };
756 info.offset
757 }
758
759 /// Returns the length of the typed array, i.e. the number of elements.
760 ///
761 /// Note that, depending on the element size, this is not necessarily the same as
762 /// [`size()`](crate::types::buffer::TypedArray::size). In particular:
763 ///
764 /// ```ignore
765 /// self.size() == self.len() * size_of::<T>()
766 /// ```
767 #[allow(clippy::len_without_is_empty)]
768 pub fn len<'cx, C>(&self, cx: &mut C) -> usize
769 where
770 C: Context<'cx>,
771 {
772 let info = unsafe { sys::typedarray::info(cx.env().to_raw(), self.to_local()) };
773 info.length
774 }
775}
776
777unsafe fn slice_from_info<'a, T>(info: TypedArrayInfo) -> &'a [T] {
778 if info.length == 0 {
779 &[]
780 } else {
781 slice::from_raw_parts(info.data.cast(), info.length)
782 }
783}
784
785unsafe fn slice_from_info_mut<'a, T>(info: TypedArrayInfo) -> &'a mut [T] {
786 if info.length == 0 {
787 &mut []
788 } else {
789 slice::from_raw_parts_mut(info.data.cast(), info.length)
790 }
791}
792
793macro_rules! impl_typed_array {
794 ($typ:ident, $etyp:ty, $($pattern:pat_param)|+, $tag:ident, $alias:ident, $two:expr$(,)?) => {
795 impl private::Sealed for $etyp {}
796
797 impl Binary for $etyp {
798 const TYPE_TAG: TypedArrayType = TypedArrayType::$tag;
799 }
800
801 impl Value for JsTypedArray<$etyp> {}
802
803 impl Object for JsTypedArray<$etyp> {}
804
805 impl ValueInternal for JsTypedArray<$etyp> {
806 fn name() -> &'static str {
807 stringify!($typ)
808 }
809
810 fn is_typeof<Other: Value>(cx: &mut Cx, other: &Other) -> bool {
811 let env = cx.env().to_raw();
812 let other = other.to_local();
813
814 if unsafe { !sys::tag::is_typedarray(env, other) } {
815 return false;
816 }
817
818 let info = unsafe { sys::typedarray::info(env, other) };
819
820 matches!(info.typ, $($pattern)|+)
821 }
822
823 fn to_local(&self) -> raw::Local {
824 self.0.local
825 }
826
827 unsafe fn from_local(env: Env, local: raw::Local) -> Self {
828 // Safety: Recomputing this information ensures that the lifetime of the
829 // buffer handle matches the lifetime of the typed array handle.
830 let info = unsafe { sys::typedarray::info(env.to_raw(), local) };
831
832 Self(JsTypedArrayInner {
833 local,
834 buffer: info.buf,
835 _type: PhantomData,
836 })
837 }
838 }
839
840 doc_comment! {
841 concat!(
842 "The type of JavaScript [`",
843 stringify!($typ),
844 "`](https://developer.mozilla.org/docs/Web/JavaScript/Reference/Global_Objects/",
845 stringify!($typ),
846 ") objects.
847
848# Example
849
850```
851# use neon::prelude::*;
852use neon::types::buffer::TypedArray;
853
854fn double(mut cx: FunctionContext) -> JsResult<JsUndefined> {
855 let mut array: Handle<",
856 stringify!($alias),
857 "> = cx.argument(0)?;
858
859 for elem in array.as_mut_slice(&mut cx).iter_mut() {
860 *elem *= ",
861 stringify!($two),
862 ";
863 }
864
865 Ok(cx.undefined())
866}
867```",
868 ),
869 pub type $alias = JsTypedArray<$etyp>;
870 }
871 };
872}
873
874impl_typed_array!(Int8Array, i8, TypedArrayType::I8, I8, JsInt8Array, 2);
875impl_typed_array!(
876 Uint8Array,
877 u8,
878 TypedArrayType::U8 | TypedArrayType::U8Clamped,
879 U8,
880 JsUint8Array,
881 2,
882);
883impl_typed_array!(Int16Array, i16, TypedArrayType::I16, I16, JsInt16Array, 2);
884impl_typed_array!(Uint16Array, u16, TypedArrayType::U16, U16, JsUint16Array, 2);
885impl_typed_array!(Int32Array, i32, TypedArrayType::I32, I32, JsInt32Array, 2);
886impl_typed_array!(Uint32Array, u32, TypedArrayType::U32, U32, JsUint32Array, 2);
887impl_typed_array!(
888 Float32Array,
889 f32,
890 TypedArrayType::F32,
891 F32,
892 JsFloat32Array,
893 2.0,
894);
895impl_typed_array!(
896 Float64Array,
897 f64,
898 TypedArrayType::F64,
899 F64,
900 JsFloat64Array,
901 2.0,
902);
903impl_typed_array!(
904 BigInt64Array,
905 i64,
906 TypedArrayType::I64,
907 I64,
908 JsBigInt64Array,
909 2,
910);
911impl_typed_array!(
912 BigUint64Array,
913 u64,
914 TypedArrayType::U64,
915 U64,
916 JsBigUint64Array,
917 2,
918);