pyo3/
buffer.rs

1#![cfg(any(not(Py_LIMITED_API), Py_3_11))]
2// Copyright (c) 2017 Daniel Grunwald
3//
4// Permission is hereby granted, free of charge, to any person obtaining a copy of this
5// software and associated documentation files (the "Software"), to deal in the Software
6// without restriction, including without limitation the rights to use, copy, modify, merge,
7// publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons
8// to whom the Software is furnished to do so, subject to the following conditions:
9//
10// The above copyright notice and this permission notice shall be included in all copies or
11// substantial portions of the Software.
12//
13// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED,
14// INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR
15// PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE
16// FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
17// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
18// DEALINGS IN THE SOFTWARE.
19
20//! `PyBuffer` implementation
21use crate::Bound;
22use crate::{err, exceptions::PyBufferError, ffi, FromPyObject, PyAny, PyResult, Python};
23use std::marker::PhantomData;
24use std::os::raw;
25use std::pin::Pin;
26use std::{cell, mem, ptr, slice};
27use std::{ffi::CStr, fmt::Debug};
28
29/// Allows access to the underlying buffer used by a python object such as `bytes`, `bytearray` or `array.array`.
30// use Pin<Box> because Python expects that the Py_buffer struct has a stable memory address
31#[repr(transparent)]
32pub struct PyBuffer<T>(Pin<Box<ffi::Py_buffer>>, PhantomData<T>);
33
34// PyBuffer is thread-safe: the shape of the buffer is immutable while a Py_buffer exists.
35// Accessing the buffer contents is protected using the GIL.
36unsafe impl<T> Send for PyBuffer<T> {}
37unsafe impl<T> Sync for PyBuffer<T> {}
38
39impl<T> Debug for PyBuffer<T> {
40    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
41        f.debug_struct("PyBuffer")
42            .field("buf", &self.0.buf)
43            .field("obj", &self.0.obj)
44            .field("len", &self.0.len)
45            .field("itemsize", &self.0.itemsize)
46            .field("readonly", &self.0.readonly)
47            .field("ndim", &self.0.ndim)
48            .field("format", &self.0.format)
49            .field("shape", &self.0.shape)
50            .field("strides", &self.0.strides)
51            .field("suboffsets", &self.0.suboffsets)
52            .field("internal", &self.0.internal)
53            .finish()
54    }
55}
56
57/// Represents the type of a Python buffer element.
58#[derive(Copy, Clone, Debug, Eq, PartialEq)]
59pub enum ElementType {
60    /// A signed integer type.
61    SignedInteger {
62        /// The width of the signed integer in bytes.
63        bytes: usize,
64    },
65    /// An unsigned integer type.
66    UnsignedInteger {
67        /// The width of the unsigned integer in bytes.
68        bytes: usize,
69    },
70    /// A boolean type.
71    Bool,
72    /// A float type.
73    Float {
74        /// The width of the float in bytes.
75        bytes: usize,
76    },
77    /// An unknown type. This may occur when parsing has failed.
78    Unknown,
79}
80
81impl ElementType {
82    /// Determines the `ElementType` from a Python `struct` module format string.
83    ///
84    /// See <https://docs.python.org/3/library/struct.html#format-strings> for more information
85    /// about struct format strings.
86    pub fn from_format(format: &CStr) -> ElementType {
87        match format.to_bytes() {
88            [size] | [b'@', size] => native_element_type_from_type_char(*size),
89            [b'=' | b'<' | b'>' | b'!', size] => standard_element_type_from_type_char(*size),
90            _ => ElementType::Unknown,
91        }
92    }
93}
94
95fn native_element_type_from_type_char(type_char: u8) -> ElementType {
96    use self::ElementType::*;
97    match type_char {
98        b'c' => UnsignedInteger {
99            bytes: mem::size_of::<raw::c_char>(),
100        },
101        b'b' => SignedInteger {
102            bytes: mem::size_of::<raw::c_schar>(),
103        },
104        b'B' => UnsignedInteger {
105            bytes: mem::size_of::<raw::c_uchar>(),
106        },
107        b'?' => Bool,
108        b'h' => SignedInteger {
109            bytes: mem::size_of::<raw::c_short>(),
110        },
111        b'H' => UnsignedInteger {
112            bytes: mem::size_of::<raw::c_ushort>(),
113        },
114        b'i' => SignedInteger {
115            bytes: mem::size_of::<raw::c_int>(),
116        },
117        b'I' => UnsignedInteger {
118            bytes: mem::size_of::<raw::c_uint>(),
119        },
120        b'l' => SignedInteger {
121            bytes: mem::size_of::<raw::c_long>(),
122        },
123        b'L' => UnsignedInteger {
124            bytes: mem::size_of::<raw::c_ulong>(),
125        },
126        b'q' => SignedInteger {
127            bytes: mem::size_of::<raw::c_longlong>(),
128        },
129        b'Q' => UnsignedInteger {
130            bytes: mem::size_of::<raw::c_ulonglong>(),
131        },
132        b'n' => SignedInteger {
133            bytes: mem::size_of::<libc::ssize_t>(),
134        },
135        b'N' => UnsignedInteger {
136            bytes: mem::size_of::<libc::size_t>(),
137        },
138        b'e' => Float { bytes: 2 },
139        b'f' => Float { bytes: 4 },
140        b'd' => Float { bytes: 8 },
141        _ => Unknown,
142    }
143}
144
145fn standard_element_type_from_type_char(type_char: u8) -> ElementType {
146    use self::ElementType::*;
147    match type_char {
148        b'c' | b'B' => UnsignedInteger { bytes: 1 },
149        b'b' => SignedInteger { bytes: 1 },
150        b'?' => Bool,
151        b'h' => SignedInteger { bytes: 2 },
152        b'H' => UnsignedInteger { bytes: 2 },
153        b'i' | b'l' => SignedInteger { bytes: 4 },
154        b'I' | b'L' => UnsignedInteger { bytes: 4 },
155        b'q' => SignedInteger { bytes: 8 },
156        b'Q' => UnsignedInteger { bytes: 8 },
157        b'e' => Float { bytes: 2 },
158        b'f' => Float { bytes: 4 },
159        b'd' => Float { bytes: 8 },
160        _ => Unknown,
161    }
162}
163
164#[cfg(target_endian = "little")]
165fn is_matching_endian(c: u8) -> bool {
166    c == b'@' || c == b'=' || c == b'>'
167}
168
169#[cfg(target_endian = "big")]
170fn is_matching_endian(c: u8) -> bool {
171    c == b'@' || c == b'=' || c == b'>' || c == b'!'
172}
173
174/// Trait implemented for possible element types of `PyBuffer`.
175///
176/// # Safety
177///
178/// This trait must only be implemented for types which represent valid elements of Python buffers.
179pub unsafe trait Element: Copy {
180    /// Gets whether the element specified in the format string is potentially compatible.
181    /// Alignment and size are checked separately from this function.
182    fn is_compatible_format(format: &CStr) -> bool;
183}
184
185impl<T: Element> FromPyObject<'_> for PyBuffer<T> {
186    fn extract_bound(obj: &Bound<'_, PyAny>) -> PyResult<PyBuffer<T>> {
187        Self::get(obj)
188    }
189}
190
191impl<T: Element> PyBuffer<T> {
192    /// Gets the underlying buffer from the specified python object.
193    pub fn get(obj: &Bound<'_, PyAny>) -> PyResult<PyBuffer<T>> {
194        // TODO: use nightly API Box::new_uninit() once our MSRV is 1.82
195        let mut buf = Box::new(mem::MaybeUninit::uninit());
196        let buf: Box<ffi::Py_buffer> = {
197            err::error_on_minusone(obj.py(), unsafe {
198                ffi::PyObject_GetBuffer(obj.as_ptr(), buf.as_mut_ptr(), ffi::PyBUF_FULL_RO)
199            })?;
200            // Safety: buf is initialized by PyObject_GetBuffer.
201            // TODO: use nightly API Box::assume_init() once our MSRV is 1.82
202            unsafe { mem::transmute(buf) }
203        };
204        // Create PyBuffer immediately so that if validation checks fail, the PyBuffer::drop code
205        // will call PyBuffer_Release (thus avoiding any leaks).
206        let buf = PyBuffer(Pin::from(buf), PhantomData);
207
208        if buf.0.shape.is_null() {
209            Err(PyBufferError::new_err("shape is null"))
210        } else if buf.0.strides.is_null() {
211            Err(PyBufferError::new_err("strides is null"))
212        } else if mem::size_of::<T>() != buf.item_size() || !T::is_compatible_format(buf.format()) {
213            Err(PyBufferError::new_err(format!(
214                "buffer contents are not compatible with {}",
215                std::any::type_name::<T>()
216            )))
217        } else if buf.0.buf.align_offset(mem::align_of::<T>()) != 0 {
218            Err(PyBufferError::new_err(format!(
219                "buffer contents are insufficiently aligned for {}",
220                std::any::type_name::<T>()
221            )))
222        } else {
223            Ok(buf)
224        }
225    }
226
227    /// Gets the pointer to the start of the buffer memory.
228    ///
229    /// Warning: the buffer memory might be mutated by other Python functions,
230    /// and thus may only be accessed while the GIL is held.
231    #[inline]
232    pub fn buf_ptr(&self) -> *mut raw::c_void {
233        self.0.buf
234    }
235
236    /// Gets a pointer to the specified item.
237    ///
238    /// If `indices.len() < self.dimensions()`, returns the start address of the sub-array at the specified dimension.
239    pub fn get_ptr(&self, indices: &[usize]) -> *mut raw::c_void {
240        let shape = &self.shape()[..indices.len()];
241        for i in 0..indices.len() {
242            assert!(indices[i] < shape[i]);
243        }
244        unsafe {
245            ffi::PyBuffer_GetPointer(
246                #[cfg(Py_3_11)]
247                &*self.0,
248                #[cfg(not(Py_3_11))]
249                {
250                    &*self.0 as *const ffi::Py_buffer as *mut ffi::Py_buffer
251                },
252                #[cfg(Py_3_11)]
253                {
254                    indices.as_ptr().cast()
255                },
256                #[cfg(not(Py_3_11))]
257                {
258                    indices.as_ptr() as *mut ffi::Py_ssize_t
259                },
260            )
261        }
262    }
263
264    /// Gets whether the underlying buffer is read-only.
265    #[inline]
266    pub fn readonly(&self) -> bool {
267        self.0.readonly != 0
268    }
269
270    /// Gets the size of a single element, in bytes.
271    /// Important exception: when requesting an unformatted buffer, item_size still has the value
272    #[inline]
273    pub fn item_size(&self) -> usize {
274        self.0.itemsize as usize
275    }
276
277    /// Gets the total number of items.
278    #[inline]
279    pub fn item_count(&self) -> usize {
280        (self.0.len as usize) / (self.0.itemsize as usize)
281    }
282
283    /// `item_size() * item_count()`.
284    /// For contiguous arrays, this is the length of the underlying memory block.
285    /// For non-contiguous arrays, it is the length that the logical structure would have if it were copied to a contiguous representation.
286    #[inline]
287    pub fn len_bytes(&self) -> usize {
288        self.0.len as usize
289    }
290
291    /// Gets the number of dimensions.
292    ///
293    /// May be 0 to indicate a single scalar value.
294    #[inline]
295    pub fn dimensions(&self) -> usize {
296        self.0.ndim as usize
297    }
298
299    /// Returns an array of length `dimensions`. `shape()[i]` is the length of the array in dimension number `i`.
300    ///
301    /// May return None for single-dimensional arrays or scalar values (`dimensions() <= 1`);
302    /// You can call `item_count()` to get the length of the single dimension.
303    ///
304    /// Despite Python using an array of signed integers, the values are guaranteed to be non-negative.
305    /// However, dimensions of length 0 are possible and might need special attention.
306    #[inline]
307    pub fn shape(&self) -> &[usize] {
308        unsafe { slice::from_raw_parts(self.0.shape.cast(), self.0.ndim as usize) }
309    }
310
311    /// Returns an array that holds, for each dimension, the number of bytes to skip to get to the next element in the dimension.
312    ///
313    /// Stride values can be any integer. For regular arrays, strides are usually positive,
314    /// but a consumer MUST be able to handle the case `strides[n] <= 0`.
315    #[inline]
316    pub fn strides(&self) -> &[isize] {
317        unsafe { slice::from_raw_parts(self.0.strides, self.0.ndim as usize) }
318    }
319
320    /// An array of length ndim.
321    /// If `suboffsets[n] >= 0`, the values stored along the nth dimension are pointers and the suboffset value dictates how many bytes to add to each pointer after de-referencing.
322    /// A suboffset value that is negative indicates that no de-referencing should occur (striding in a contiguous memory block).
323    ///
324    /// If all suboffsets are negative (i.e. no de-referencing is needed), then this field must be NULL (the default value).
325    #[inline]
326    pub fn suboffsets(&self) -> Option<&[isize]> {
327        unsafe {
328            if self.0.suboffsets.is_null() {
329                None
330            } else {
331                Some(slice::from_raw_parts(
332                    self.0.suboffsets,
333                    self.0.ndim as usize,
334                ))
335            }
336        }
337    }
338
339    /// A NUL terminated string in struct module style syntax describing the contents of a single item.
340    #[inline]
341    pub fn format(&self) -> &CStr {
342        if self.0.format.is_null() {
343            ffi::c_str!("B")
344        } else {
345            unsafe { CStr::from_ptr(self.0.format) }
346        }
347    }
348
349    /// Gets whether the buffer is contiguous in C-style order (last index varies fastest when visiting items in order of memory address).
350    #[inline]
351    pub fn is_c_contiguous(&self) -> bool {
352        unsafe { ffi::PyBuffer_IsContiguous(&*self.0, b'C' as std::os::raw::c_char) != 0 }
353    }
354
355    /// Gets whether the buffer is contiguous in Fortran-style order (first index varies fastest when visiting items in order of memory address).
356    #[inline]
357    pub fn is_fortran_contiguous(&self) -> bool {
358        unsafe { ffi::PyBuffer_IsContiguous(&*self.0, b'F' as std::os::raw::c_char) != 0 }
359    }
360
361    /// Gets the buffer memory as a slice.
362    ///
363    /// This function succeeds if:
364    /// * the buffer format is compatible with `T`
365    /// * alignment and size of buffer elements is matching the expectations for type `T`
366    /// * the buffer is C-style contiguous
367    ///
368    /// The returned slice uses type `Cell<T>` because it's theoretically possible for any call into the Python runtime
369    /// to modify the values in the slice.
370    pub fn as_slice<'a>(&'a self, _py: Python<'a>) -> Option<&'a [ReadOnlyCell<T>]> {
371        if self.is_c_contiguous() {
372            unsafe {
373                Some(slice::from_raw_parts(
374                    self.0.buf as *mut ReadOnlyCell<T>,
375                    self.item_count(),
376                ))
377            }
378        } else {
379            None
380        }
381    }
382
383    /// Gets the buffer memory as a slice.
384    ///
385    /// This function succeeds if:
386    /// * the buffer is not read-only
387    /// * the buffer format is compatible with `T`
388    /// * alignment and size of buffer elements is matching the expectations for type `T`
389    /// * the buffer is C-style contiguous
390    ///
391    /// The returned slice uses type `Cell<T>` because it's theoretically possible for any call into the Python runtime
392    /// to modify the values in the slice.
393    pub fn as_mut_slice<'a>(&'a self, _py: Python<'a>) -> Option<&'a [cell::Cell<T>]> {
394        if !self.readonly() && self.is_c_contiguous() {
395            unsafe {
396                Some(slice::from_raw_parts(
397                    self.0.buf as *mut cell::Cell<T>,
398                    self.item_count(),
399                ))
400            }
401        } else {
402            None
403        }
404    }
405
406    /// Gets the buffer memory as a slice.
407    ///
408    /// This function succeeds if:
409    /// * the buffer format is compatible with `T`
410    /// * alignment and size of buffer elements is matching the expectations for type `T`
411    /// * the buffer is Fortran-style contiguous
412    ///
413    /// The returned slice uses type `Cell<T>` because it's theoretically possible for any call into the Python runtime
414    /// to modify the values in the slice.
415    pub fn as_fortran_slice<'a>(&'a self, _py: Python<'a>) -> Option<&'a [ReadOnlyCell<T>]> {
416        if mem::size_of::<T>() == self.item_size() && self.is_fortran_contiguous() {
417            unsafe {
418                Some(slice::from_raw_parts(
419                    self.0.buf as *mut ReadOnlyCell<T>,
420                    self.item_count(),
421                ))
422            }
423        } else {
424            None
425        }
426    }
427
428    /// Gets the buffer memory as a slice.
429    ///
430    /// This function succeeds if:
431    /// * the buffer is not read-only
432    /// * the buffer format is compatible with `T`
433    /// * alignment and size of buffer elements is matching the expectations for type `T`
434    /// * the buffer is Fortran-style contiguous
435    ///
436    /// The returned slice uses type `Cell<T>` because it's theoretically possible for any call into the Python runtime
437    /// to modify the values in the slice.
438    pub fn as_fortran_mut_slice<'a>(&'a self, _py: Python<'a>) -> Option<&'a [cell::Cell<T>]> {
439        if !self.readonly() && self.is_fortran_contiguous() {
440            unsafe {
441                Some(slice::from_raw_parts(
442                    self.0.buf as *mut cell::Cell<T>,
443                    self.item_count(),
444                ))
445            }
446        } else {
447            None
448        }
449    }
450
451    /// Copies the buffer elements to the specified slice.
452    /// If the buffer is multi-dimensional, the elements are written in C-style order.
453    ///
454    ///  * Fails if the slice does not have the correct length (`buf.item_count()`).
455    ///  * Fails if the buffer format is not compatible with type `T`.
456    ///
457    /// To check whether the buffer format is compatible before calling this method,
458    /// you can use `<T as buffer::Element>::is_compatible_format(buf.format())`.
459    /// Alternatively, `match buffer::ElementType::from_format(buf.format())`.
460    pub fn copy_to_slice(&self, py: Python<'_>, target: &mut [T]) -> PyResult<()> {
461        self._copy_to_slice(py, target, b'C')
462    }
463
464    /// Copies the buffer elements to the specified slice.
465    /// If the buffer is multi-dimensional, the elements are written in Fortran-style order.
466    ///
467    ///  * Fails if the slice does not have the correct length (`buf.item_count()`).
468    ///  * Fails if the buffer format is not compatible with type `T`.
469    ///
470    /// To check whether the buffer format is compatible before calling this method,
471    /// you can use `<T as buffer::Element>::is_compatible_format(buf.format())`.
472    /// Alternatively, `match buffer::ElementType::from_format(buf.format())`.
473    pub fn copy_to_fortran_slice(&self, py: Python<'_>, target: &mut [T]) -> PyResult<()> {
474        self._copy_to_slice(py, target, b'F')
475    }
476
477    fn _copy_to_slice(&self, py: Python<'_>, target: &mut [T], fort: u8) -> PyResult<()> {
478        if mem::size_of_val(target) != self.len_bytes() {
479            return Err(PyBufferError::new_err(format!(
480                "slice to copy to (of length {}) does not match buffer length of {}",
481                target.len(),
482                self.item_count()
483            )));
484        }
485
486        err::error_on_minusone(py, unsafe {
487            ffi::PyBuffer_ToContiguous(
488                target.as_mut_ptr().cast(),
489                #[cfg(Py_3_11)]
490                &*self.0,
491                #[cfg(not(Py_3_11))]
492                {
493                    &*self.0 as *const ffi::Py_buffer as *mut ffi::Py_buffer
494                },
495                self.0.len,
496                fort as std::os::raw::c_char,
497            )
498        })
499    }
500
501    /// Copies the buffer elements to a newly allocated vector.
502    /// If the buffer is multi-dimensional, the elements are written in C-style order.
503    ///
504    /// Fails if the buffer format is not compatible with type `T`.
505    pub fn to_vec(&self, py: Python<'_>) -> PyResult<Vec<T>> {
506        self._to_vec(py, b'C')
507    }
508
509    /// Copies the buffer elements to a newly allocated vector.
510    /// If the buffer is multi-dimensional, the elements are written in Fortran-style order.
511    ///
512    /// Fails if the buffer format is not compatible with type `T`.
513    pub fn to_fortran_vec(&self, py: Python<'_>) -> PyResult<Vec<T>> {
514        self._to_vec(py, b'F')
515    }
516
517    fn _to_vec(&self, py: Python<'_>, fort: u8) -> PyResult<Vec<T>> {
518        let item_count = self.item_count();
519        let mut vec: Vec<T> = Vec::with_capacity(item_count);
520
521        // Copy the buffer into the uninitialized space in the vector.
522        // Due to T:Copy, we don't need to be concerned with Drop impls.
523        err::error_on_minusone(py, unsafe {
524            ffi::PyBuffer_ToContiguous(
525                vec.as_ptr() as *mut raw::c_void,
526                #[cfg(Py_3_11)]
527                &*self.0,
528                #[cfg(not(Py_3_11))]
529                {
530                    &*self.0 as *const ffi::Py_buffer as *mut ffi::Py_buffer
531                },
532                self.0.len,
533                fort as std::os::raw::c_char,
534            )
535        })?;
536        // set vector length to mark the now-initialized space as usable
537        unsafe { vec.set_len(item_count) };
538        Ok(vec)
539    }
540
541    /// Copies the specified slice into the buffer.
542    /// If the buffer is multi-dimensional, the elements in the slice are expected to be in C-style order.
543    ///
544    ///  * Fails if the buffer is read-only.
545    ///  * Fails if the slice does not have the correct length (`buf.item_count()`).
546    ///  * Fails if the buffer format is not compatible with type `T`.
547    ///
548    /// To check whether the buffer format is compatible before calling this method,
549    /// use `<T as buffer::Element>::is_compatible_format(buf.format())`.
550    /// Alternatively, `match buffer::ElementType::from_format(buf.format())`.
551    pub fn copy_from_slice(&self, py: Python<'_>, source: &[T]) -> PyResult<()> {
552        self._copy_from_slice(py, source, b'C')
553    }
554
555    /// Copies the specified slice into the buffer.
556    /// If the buffer is multi-dimensional, the elements in the slice are expected to be in Fortran-style order.
557    ///
558    ///  * Fails if the buffer is read-only.
559    ///  * Fails if the slice does not have the correct length (`buf.item_count()`).
560    ///  * Fails if the buffer format is not compatible with type `T`.
561    ///
562    /// To check whether the buffer format is compatible before calling this method,
563    /// use `<T as buffer::Element>::is_compatible_format(buf.format())`.
564    /// Alternatively, `match buffer::ElementType::from_format(buf.format())`.
565    pub fn copy_from_fortran_slice(&self, py: Python<'_>, source: &[T]) -> PyResult<()> {
566        self._copy_from_slice(py, source, b'F')
567    }
568
569    fn _copy_from_slice(&self, py: Python<'_>, source: &[T], fort: u8) -> PyResult<()> {
570        if self.readonly() {
571            return Err(PyBufferError::new_err("cannot write to read-only buffer"));
572        } else if mem::size_of_val(source) != self.len_bytes() {
573            return Err(PyBufferError::new_err(format!(
574                "slice to copy from (of length {}) does not match buffer length of {}",
575                source.len(),
576                self.item_count()
577            )));
578        }
579
580        err::error_on_minusone(py, unsafe {
581            ffi::PyBuffer_FromContiguous(
582                #[cfg(Py_3_11)]
583                &*self.0,
584                #[cfg(not(Py_3_11))]
585                {
586                    &*self.0 as *const ffi::Py_buffer as *mut ffi::Py_buffer
587                },
588                #[cfg(Py_3_11)]
589                {
590                    source.as_ptr().cast()
591                },
592                #[cfg(not(Py_3_11))]
593                {
594                    source.as_ptr() as *mut raw::c_void
595                },
596                self.0.len,
597                fort as std::os::raw::c_char,
598            )
599        })
600    }
601
602    /// Releases the buffer object, freeing the reference to the Python object
603    /// which owns the buffer.
604    ///
605    /// This will automatically be called on drop.
606    pub fn release(self, _py: Python<'_>) {
607        // First move self into a ManuallyDrop, so that PyBuffer::drop will
608        // never be called. (It would acquire the GIL and call PyBuffer_Release
609        // again.)
610        let mut mdself = mem::ManuallyDrop::new(self);
611        unsafe {
612            // Next, make the actual PyBuffer_Release call.
613            ffi::PyBuffer_Release(&mut *mdself.0);
614
615            // Finally, drop the contained Pin<Box<_>> in place, to free the
616            // Box memory.
617            let inner: *mut Pin<Box<ffi::Py_buffer>> = &mut mdself.0;
618            ptr::drop_in_place(inner);
619        }
620    }
621}
622
623impl<T> Drop for PyBuffer<T> {
624    fn drop(&mut self) {
625        Python::with_gil(|_| unsafe { ffi::PyBuffer_Release(&mut *self.0) });
626    }
627}
628
629/// Like [std::cell::Cell], but only provides read-only access to the data.
630///
631/// `&ReadOnlyCell<T>` is basically a safe version of `*const T`:
632///  The data cannot be modified through the reference, but other references may
633///  be modifying the data.
634#[repr(transparent)]
635pub struct ReadOnlyCell<T: Element>(cell::UnsafeCell<T>);
636
637impl<T: Element> ReadOnlyCell<T> {
638    /// Returns a copy of the current value.
639    #[inline]
640    pub fn get(&self) -> T {
641        unsafe { *self.0.get() }
642    }
643
644    /// Returns a pointer to the current value.
645    #[inline]
646    pub fn as_ptr(&self) -> *const T {
647        self.0.get()
648    }
649}
650
651macro_rules! impl_element(
652    ($t:ty, $f:ident) => {
653        unsafe impl Element for $t {
654            fn is_compatible_format(format: &CStr) -> bool {
655                let slice = format.to_bytes();
656                if slice.len() > 1 && !is_matching_endian(slice[0]) {
657                    return false;
658                }
659                ElementType::from_format(format) == ElementType::$f { bytes: mem::size_of::<$t>() }
660            }
661        }
662    }
663);
664
665impl_element!(u8, UnsignedInteger);
666impl_element!(u16, UnsignedInteger);
667impl_element!(u32, UnsignedInteger);
668impl_element!(u64, UnsignedInteger);
669impl_element!(usize, UnsignedInteger);
670impl_element!(i8, SignedInteger);
671impl_element!(i16, SignedInteger);
672impl_element!(i32, SignedInteger);
673impl_element!(i64, SignedInteger);
674impl_element!(isize, SignedInteger);
675impl_element!(f32, Float);
676impl_element!(f64, Float);
677
678#[cfg(test)]
679mod tests {
680    use super::PyBuffer;
681    use crate::ffi;
682    use crate::types::any::PyAnyMethods;
683    use crate::Python;
684
685    #[test]
686    fn test_debug() {
687        Python::with_gil(|py| {
688            let bytes = py.eval(ffi::c_str!("b'abcde'"), None, None).unwrap();
689            let buffer: PyBuffer<u8> = PyBuffer::get(&bytes).unwrap();
690            let expected = format!(
691                concat!(
692                    "PyBuffer {{ buf: {:?}, obj: {:?}, ",
693                    "len: 5, itemsize: 1, readonly: 1, ",
694                    "ndim: 1, format: {:?}, shape: {:?}, ",
695                    "strides: {:?}, suboffsets: {:?}, internal: {:?} }}",
696                ),
697                buffer.0.buf,
698                buffer.0.obj,
699                buffer.0.format,
700                buffer.0.shape,
701                buffer.0.strides,
702                buffer.0.suboffsets,
703                buffer.0.internal
704            );
705            let debug_repr = format!("{:?}", buffer);
706            assert_eq!(debug_repr, expected);
707        });
708    }
709
710    #[test]
711    fn test_element_type_from_format() {
712        use super::ElementType;
713        use super::ElementType::*;
714        use std::mem::size_of;
715        use std::os::raw;
716
717        for (cstr, expected) in [
718            // @ prefix goes to native_element_type_from_type_char
719            (
720                ffi::c_str!("@b"),
721                SignedInteger {
722                    bytes: size_of::<raw::c_schar>(),
723                },
724            ),
725            (
726                ffi::c_str!("@c"),
727                UnsignedInteger {
728                    bytes: size_of::<raw::c_char>(),
729                },
730            ),
731            (
732                ffi::c_str!("@b"),
733                SignedInteger {
734                    bytes: size_of::<raw::c_schar>(),
735                },
736            ),
737            (
738                ffi::c_str!("@B"),
739                UnsignedInteger {
740                    bytes: size_of::<raw::c_uchar>(),
741                },
742            ),
743            (ffi::c_str!("@?"), Bool),
744            (
745                ffi::c_str!("@h"),
746                SignedInteger {
747                    bytes: size_of::<raw::c_short>(),
748                },
749            ),
750            (
751                ffi::c_str!("@H"),
752                UnsignedInteger {
753                    bytes: size_of::<raw::c_ushort>(),
754                },
755            ),
756            (
757                ffi::c_str!("@i"),
758                SignedInteger {
759                    bytes: size_of::<raw::c_int>(),
760                },
761            ),
762            (
763                ffi::c_str!("@I"),
764                UnsignedInteger {
765                    bytes: size_of::<raw::c_uint>(),
766                },
767            ),
768            (
769                ffi::c_str!("@l"),
770                SignedInteger {
771                    bytes: size_of::<raw::c_long>(),
772                },
773            ),
774            (
775                ffi::c_str!("@L"),
776                UnsignedInteger {
777                    bytes: size_of::<raw::c_ulong>(),
778                },
779            ),
780            (
781                ffi::c_str!("@q"),
782                SignedInteger {
783                    bytes: size_of::<raw::c_longlong>(),
784                },
785            ),
786            (
787                ffi::c_str!("@Q"),
788                UnsignedInteger {
789                    bytes: size_of::<raw::c_ulonglong>(),
790                },
791            ),
792            (
793                ffi::c_str!("@n"),
794                SignedInteger {
795                    bytes: size_of::<libc::ssize_t>(),
796                },
797            ),
798            (
799                ffi::c_str!("@N"),
800                UnsignedInteger {
801                    bytes: size_of::<libc::size_t>(),
802                },
803            ),
804            (ffi::c_str!("@e"), Float { bytes: 2 }),
805            (ffi::c_str!("@f"), Float { bytes: 4 }),
806            (ffi::c_str!("@d"), Float { bytes: 8 }),
807            (ffi::c_str!("@z"), Unknown),
808            // = prefix goes to standard_element_type_from_type_char
809            (ffi::c_str!("=b"), SignedInteger { bytes: 1 }),
810            (ffi::c_str!("=c"), UnsignedInteger { bytes: 1 }),
811            (ffi::c_str!("=B"), UnsignedInteger { bytes: 1 }),
812            (ffi::c_str!("=?"), Bool),
813            (ffi::c_str!("=h"), SignedInteger { bytes: 2 }),
814            (ffi::c_str!("=H"), UnsignedInteger { bytes: 2 }),
815            (ffi::c_str!("=l"), SignedInteger { bytes: 4 }),
816            (ffi::c_str!("=l"), SignedInteger { bytes: 4 }),
817            (ffi::c_str!("=I"), UnsignedInteger { bytes: 4 }),
818            (ffi::c_str!("=L"), UnsignedInteger { bytes: 4 }),
819            (ffi::c_str!("=q"), SignedInteger { bytes: 8 }),
820            (ffi::c_str!("=Q"), UnsignedInteger { bytes: 8 }),
821            (ffi::c_str!("=e"), Float { bytes: 2 }),
822            (ffi::c_str!("=f"), Float { bytes: 4 }),
823            (ffi::c_str!("=d"), Float { bytes: 8 }),
824            (ffi::c_str!("=z"), Unknown),
825            (ffi::c_str!("=0"), Unknown),
826            // unknown prefix -> Unknown
827            (ffi::c_str!(":b"), Unknown),
828        ] {
829            assert_eq!(
830                ElementType::from_format(cstr),
831                expected,
832                "element from format &Cstr: {:?}",
833                cstr,
834            );
835        }
836    }
837
838    #[test]
839    fn test_compatible_size() {
840        // for the cast in PyBuffer::shape()
841        assert_eq!(
842            std::mem::size_of::<ffi::Py_ssize_t>(),
843            std::mem::size_of::<usize>()
844        );
845    }
846
847    #[test]
848    fn test_bytes_buffer() {
849        Python::with_gil(|py| {
850            let bytes = py.eval(ffi::c_str!("b'abcde'"), None, None).unwrap();
851            let buffer = PyBuffer::get(&bytes).unwrap();
852            assert_eq!(buffer.dimensions(), 1);
853            assert_eq!(buffer.item_count(), 5);
854            assert_eq!(buffer.format().to_str().unwrap(), "B");
855            assert_eq!(buffer.shape(), [5]);
856            // single-dimensional buffer is always contiguous
857            assert!(buffer.is_c_contiguous());
858            assert!(buffer.is_fortran_contiguous());
859
860            let slice = buffer.as_slice(py).unwrap();
861            assert_eq!(slice.len(), 5);
862            assert_eq!(slice[0].get(), b'a');
863            assert_eq!(slice[2].get(), b'c');
864
865            assert_eq!(unsafe { *(buffer.get_ptr(&[1]) as *mut u8) }, b'b');
866
867            assert!(buffer.as_mut_slice(py).is_none());
868
869            assert!(buffer.copy_to_slice(py, &mut [0u8]).is_err());
870            let mut arr = [0; 5];
871            buffer.copy_to_slice(py, &mut arr).unwrap();
872            assert_eq!(arr, b"abcde" as &[u8]);
873
874            assert!(buffer.copy_from_slice(py, &[0u8; 5]).is_err());
875            assert_eq!(buffer.to_vec(py).unwrap(), b"abcde");
876        });
877    }
878
879    #[test]
880    fn test_array_buffer() {
881        Python::with_gil(|py| {
882            let array = py
883                .import("array")
884                .unwrap()
885                .call_method("array", ("f", (1.0, 1.5, 2.0, 2.5)), None)
886                .unwrap();
887            let buffer = PyBuffer::get(&array).unwrap();
888            assert_eq!(buffer.dimensions(), 1);
889            assert_eq!(buffer.item_count(), 4);
890            assert_eq!(buffer.format().to_str().unwrap(), "f");
891            assert_eq!(buffer.shape(), [4]);
892
893            // array creates a 1D contiguious buffer, so it's both C and F contiguous.  This would
894            // be more interesting if we can come up with a 2D buffer but I think it would need a
895            // third-party lib or a custom class.
896
897            // C-contiguous fns
898            let slice = buffer.as_slice(py).unwrap();
899            assert_eq!(slice.len(), 4);
900            assert_eq!(slice[0].get(), 1.0);
901            assert_eq!(slice[3].get(), 2.5);
902
903            let mut_slice = buffer.as_mut_slice(py).unwrap();
904            assert_eq!(mut_slice.len(), 4);
905            assert_eq!(mut_slice[0].get(), 1.0);
906            mut_slice[3].set(2.75);
907            assert_eq!(slice[3].get(), 2.75);
908
909            buffer
910                .copy_from_slice(py, &[10.0f32, 11.0, 12.0, 13.0])
911                .unwrap();
912            assert_eq!(slice[2].get(), 12.0);
913
914            assert_eq!(buffer.to_vec(py).unwrap(), [10.0, 11.0, 12.0, 13.0]);
915
916            // F-contiguous fns
917            let buffer = PyBuffer::get(&array).unwrap();
918            let slice = buffer.as_fortran_slice(py).unwrap();
919            assert_eq!(slice.len(), 4);
920            assert_eq!(slice[1].get(), 11.0);
921
922            let mut_slice = buffer.as_fortran_mut_slice(py).unwrap();
923            assert_eq!(mut_slice.len(), 4);
924            assert_eq!(mut_slice[2].get(), 12.0);
925            mut_slice[3].set(2.75);
926            assert_eq!(slice[3].get(), 2.75);
927
928            buffer
929                .copy_from_fortran_slice(py, &[10.0f32, 11.0, 12.0, 13.0])
930                .unwrap();
931            assert_eq!(slice[2].get(), 12.0);
932
933            assert_eq!(buffer.to_fortran_vec(py).unwrap(), [10.0, 11.0, 12.0, 13.0]);
934        });
935    }
936}
⚠️ Internal Docs ⚠️ Not Public API 👉 Official Docs Here