pyo3/pycell.rs
1//! PyO3's interior mutability primitive.
2//!
3//! Rust has strict aliasing rules - you can either have any number of immutable (shared) references or one mutable
4//! reference. Python's ownership model is the complete opposite of that - any Python object
5//! can be referenced any number of times, and mutation is allowed from any reference.
6//!
7//! PyO3 deals with these differences by employing the [Interior Mutability]
8//! pattern. This requires that PyO3 enforces the borrowing rules and it has two mechanisms for
9//! doing so:
10//! - Statically it can enforce thread-safe access with the [`Python<'py>`](crate::Python) token.
11//! All Rust code holding that token, or anything derived from it, can assume that they have
12//! safe access to the Python interpreter's state. For this reason all the native Python objects
13//! can be mutated through shared references.
14//! - However, methods and functions in Rust usually *do* need `&mut` references. While PyO3 can
15//! use the [`Python<'py>`](crate::Python) token to guarantee thread-safe access to them, it cannot
16//! statically guarantee uniqueness of `&mut` references. As such those references have to be tracked
17//! dynamically at runtime, using `PyCell` and the other types defined in this module. This works
18//! similar to std's [`RefCell`](std::cell::RefCell) type.
19//!
20//! # When *not* to use PyCell
21//!
22//! Usually you can use `&mut` references as method and function receivers and arguments, and you
23//! won't need to use `PyCell` directly:
24//!
25//! ```rust,no_run
26//! use pyo3::prelude::*;
27//!
28//! #[pyclass]
29//! struct Number {
30//! inner: u32,
31//! }
32//!
33//! #[pymethods]
34//! impl Number {
35//! fn increment(&mut self) {
36//! self.inner += 1;
37//! }
38//! }
39//! ```
40//!
41//! The [`#[pymethods]`](crate::pymethods) proc macro will generate this wrapper function (and more),
42//! using `PyCell` under the hood:
43//!
44//! ```rust,ignore
45//! # use pyo3::prelude::*;
46//! # #[pyclass]
47//! # struct Number {
48//! # inner: u32,
49//! # }
50//! #
51//! # #[pymethods]
52//! # impl Number {
53//! # fn increment(&mut self) {
54//! # self.inner += 1;
55//! # }
56//! # }
57//! #
58//! // The function which is exported to Python looks roughly like the following
59//! unsafe extern "C" fn __pymethod_increment__(
60//! _slf: *mut pyo3::ffi::PyObject,
61//! _args: *mut pyo3::ffi::PyObject,
62//! ) -> *mut pyo3::ffi::PyObject {
63//! use :: pyo3 as _pyo3;
64//! _pyo3::impl_::trampoline::noargs(_slf, _args, |py, _slf| {
65//! # #[allow(deprecated)]
66//! let _cell = py
67//! .from_borrowed_ptr::<_pyo3::PyAny>(_slf)
68//! .downcast::<_pyo3::PyCell<Number>>()?;
69//! let mut _ref = _cell.try_borrow_mut()?;
70//! let _slf: &mut Number = &mut *_ref;
71//! _pyo3::impl_::callback::convert(py, Number::increment(_slf))
72//! })
73//! }
74//! ```
75//!
76//! # When to use PyCell
77//! ## Using pyclasses from Rust
78//!
79//! However, we *do* need `PyCell` if we want to call its methods from Rust:
80//! ```rust
81//! # use pyo3::prelude::*;
82//! #
83//! # #[pyclass]
84//! # struct Number {
85//! # inner: u32,
86//! # }
87//! #
88//! # #[pymethods]
89//! # impl Number {
90//! # fn increment(&mut self) {
91//! # self.inner += 1;
92//! # }
93//! # }
94//! # fn main() -> PyResult<()> {
95//! Python::with_gil(|py| {
96//! let n = Py::new(py, Number { inner: 0 })?;
97//!
98//! // We borrow the guard and then dereference
99//! // it to get a mutable reference to Number
100//! let mut guard: PyRefMut<'_, Number> = n.bind(py).borrow_mut();
101//! let n_mutable: &mut Number = &mut *guard;
102//!
103//! n_mutable.increment();
104//!
105//! // To avoid panics we must dispose of the
106//! // `PyRefMut` before borrowing again.
107//! drop(guard);
108//!
109//! let n_immutable: &Number = &n.bind(py).borrow();
110//! assert_eq!(n_immutable.inner, 1);
111//!
112//! Ok(())
113//! })
114//! # }
115//! ```
116//! ## Dealing with possibly overlapping mutable references
117//!
118//! It is also necessary to use `PyCell` if you can receive mutable arguments that may overlap.
119//! Suppose the following function that swaps the values of two `Number`s:
120//! ```
121//! # use pyo3::prelude::*;
122//! # #[pyclass]
123//! # pub struct Number {
124//! # inner: u32,
125//! # }
126//! #[pyfunction]
127//! fn swap_numbers(a: &mut Number, b: &mut Number) {
128//! std::mem::swap(&mut a.inner, &mut b.inner);
129//! }
130//! # fn main() {
131//! # Python::with_gil(|py| {
132//! # let n = Py::new(py, Number{inner: 35}).unwrap();
133//! # let n2 = n.clone_ref(py);
134//! # assert!(n.is(&n2));
135//! # let fun = pyo3::wrap_pyfunction!(swap_numbers, py).unwrap();
136//! # fun.call1((n, n2)).expect_err("Managed to create overlapping mutable references. Note: this is undefined behaviour.");
137//! # });
138//! # }
139//! ```
140//! When users pass in the same `Number` as both arguments, one of the mutable borrows will
141//! fail and raise a `RuntimeError`:
142//! ```text
143//! >>> a = Number()
144//! >>> swap_numbers(a, a)
145//! Traceback (most recent call last):
146//! File "<stdin>", line 1, in <module>
147//! RuntimeError: Already borrowed
148//! ```
149//!
150//! It is better to write that function like this:
151//! ```rust,ignore
152//! # #![allow(deprecated)]
153//! # use pyo3::prelude::*;
154//! # #[pyclass]
155//! # pub struct Number {
156//! # inner: u32,
157//! # }
158//! #[pyfunction]
159//! fn swap_numbers(a: &PyCell<Number>, b: &PyCell<Number>) {
160//! // Check that the pointers are unequal
161//! if !a.is(b) {
162//! std::mem::swap(&mut a.borrow_mut().inner, &mut b.borrow_mut().inner);
163//! } else {
164//! // Do nothing - they are the same object, so don't need swapping.
165//! }
166//! }
167//! # fn main() {
168//! # // With duplicate numbers
169//! # Python::with_gil(|py| {
170//! # let n = Py::new(py, Number{inner: 35}).unwrap();
171//! # let n2 = n.clone_ref(py);
172//! # assert!(n.is(&n2));
173//! # let fun = pyo3::wrap_pyfunction!(swap_numbers, py).unwrap();
174//! # fun.call1((n, n2)).unwrap();
175//! # });
176//! #
177//! # // With two different numbers
178//! # Python::with_gil(|py| {
179//! # let n = Py::new(py, Number{inner: 35}).unwrap();
180//! # let n2 = Py::new(py, Number{inner: 42}).unwrap();
181//! # assert!(!n.is(&n2));
182//! # let fun = pyo3::wrap_pyfunction!(swap_numbers, py).unwrap();
183//! # fun.call1((&n, &n2)).unwrap();
184//! # let n: u32 = n.borrow(py).inner;
185//! # let n2: u32 = n2.borrow(py).inner;
186//! # assert_eq!(n, 42);
187//! # assert_eq!(n2, 35);
188//! # });
189//! # }
190//! ```
191//! See the [guide] for more information.
192//!
193//! [guide]: https://pyo3.rs/latest/class.html#pycell-and-interior-mutability "PyCell and interior mutability"
194//! [Interior Mutability]: https://doc.rust-lang.org/book/ch15-05-interior-mutability.html "RefCell<T> and the Interior Mutability Pattern - The Rust Programming Language"
195
196use crate::conversion::{AsPyPointer, IntoPyObject};
197use crate::exceptions::PyRuntimeError;
198use crate::ffi_ptr_ext::FfiPtrExt;
199use crate::internal_tricks::{ptr_from_mut, ptr_from_ref};
200use crate::pyclass::{boolean_struct::False, PyClass};
201use crate::types::any::PyAnyMethods;
202use crate::{ffi, Borrowed, Bound, PyErr, Python};
203use std::convert::Infallible;
204use std::fmt;
205use std::mem::ManuallyDrop;
206use std::ops::{Deref, DerefMut};
207
208pub(crate) mod impl_;
209use impl_::{PyClassBorrowChecker, PyClassObjectLayout};
210
211/// A wrapper type for an immutably borrowed value from a [`Bound<'py, T>`].
212///
213/// See the [`Bound`] documentation for more information.
214///
215/// # Examples
216///
217/// You can use [`PyRef`] as an alternative to a `&self` receiver when
218/// - you need to access the pointer of the [`Bound`], or
219/// - you want to get a super class.
220/// ```
221/// # use pyo3::prelude::*;
222/// #[pyclass(subclass)]
223/// struct Parent {
224/// basename: &'static str,
225/// }
226///
227/// #[pyclass(extends=Parent)]
228/// struct Child {
229/// name: &'static str,
230/// }
231///
232/// #[pymethods]
233/// impl Child {
234/// #[new]
235/// fn new() -> (Self, Parent) {
236/// (Child { name: "Caterpillar" }, Parent { basename: "Butterfly" })
237/// }
238///
239/// fn format(slf: PyRef<'_, Self>) -> String {
240/// // We can get *mut ffi::PyObject from PyRef
241/// let refcnt = unsafe { pyo3::ffi::Py_REFCNT(slf.as_ptr()) };
242/// // We can get &Self::BaseType by as_ref
243/// let basename = slf.as_ref().basename;
244/// format!("{}(base: {}, cnt: {})", slf.name, basename, refcnt)
245/// }
246/// }
247/// # Python::with_gil(|py| {
248/// # let sub = Py::new(py, Child::new()).unwrap();
249/// # pyo3::py_run!(py, sub, "assert sub.format() == 'Caterpillar(base: Butterfly, cnt: 4)', sub.format()");
250/// # });
251/// ```
252///
253/// See the [module-level documentation](self) for more information.
254#[repr(transparent)]
255pub struct PyRef<'p, T: PyClass> {
256 // TODO: once the GIL Ref API is removed, consider adding a lifetime parameter to `PyRef` to
257 // store `Borrowed` here instead, avoiding reference counting overhead.
258 inner: Bound<'p, T>,
259}
260
261impl<'p, T: PyClass> PyRef<'p, T> {
262 /// Returns a `Python` token that is bound to the lifetime of the `PyRef`.
263 pub fn py(&self) -> Python<'p> {
264 self.inner.py()
265 }
266}
267
268impl<T, U> AsRef<U> for PyRef<'_, T>
269where
270 T: PyClass<BaseType = U>,
271 U: PyClass,
272{
273 fn as_ref(&self) -> &T::BaseType {
274 self.as_super()
275 }
276}
277
278impl<'py, T: PyClass> PyRef<'py, T> {
279 /// Returns the raw FFI pointer represented by self.
280 ///
281 /// # Safety
282 ///
283 /// Callers are responsible for ensuring that the pointer does not outlive self.
284 ///
285 /// The reference is borrowed; callers should not decrease the reference count
286 /// when they are finished with the pointer.
287 #[inline]
288 pub fn as_ptr(&self) -> *mut ffi::PyObject {
289 self.inner.as_ptr()
290 }
291
292 /// Returns an owned raw FFI pointer represented by self.
293 ///
294 /// # Safety
295 ///
296 /// The reference is owned; when finished the caller should either transfer ownership
297 /// of the pointer or decrease the reference count (e.g. with [`pyo3::ffi::Py_DecRef`](crate::ffi::Py_DecRef)).
298 #[inline]
299 pub fn into_ptr(self) -> *mut ffi::PyObject {
300 self.inner.clone().into_ptr()
301 }
302
303 #[track_caller]
304 pub(crate) fn borrow(obj: &Bound<'py, T>) -> Self {
305 Self::try_borrow(obj).expect("Already mutably borrowed")
306 }
307
308 pub(crate) fn try_borrow(obj: &Bound<'py, T>) -> Result<Self, PyBorrowError> {
309 let cell = obj.get_class_object();
310 cell.ensure_threadsafe();
311 cell.borrow_checker()
312 .try_borrow()
313 .map(|_| Self { inner: obj.clone() })
314 }
315}
316
317impl<'p, T, U> PyRef<'p, T>
318where
319 T: PyClass<BaseType = U>,
320 U: PyClass,
321{
322 /// Gets a `PyRef<T::BaseType>`.
323 ///
324 /// While `as_ref()` returns a reference of type `&T::BaseType`, this cannot be
325 /// used to get the base of `T::BaseType`.
326 ///
327 /// But with the help of this method, you can get hold of instances of the
328 /// super-superclass when needed.
329 ///
330 /// # Examples
331 /// ```
332 /// # use pyo3::prelude::*;
333 /// #[pyclass(subclass)]
334 /// struct Base1 {
335 /// name1: &'static str,
336 /// }
337 ///
338 /// #[pyclass(extends=Base1, subclass)]
339 /// struct Base2 {
340 /// name2: &'static str,
341 /// }
342 ///
343 /// #[pyclass(extends=Base2)]
344 /// struct Sub {
345 /// name3: &'static str,
346 /// }
347 ///
348 /// #[pymethods]
349 /// impl Sub {
350 /// #[new]
351 /// fn new() -> PyClassInitializer<Self> {
352 /// PyClassInitializer::from(Base1 { name1: "base1" })
353 /// .add_subclass(Base2 { name2: "base2" })
354 /// .add_subclass(Self { name3: "sub" })
355 /// }
356 /// fn name(slf: PyRef<'_, Self>) -> String {
357 /// let subname = slf.name3;
358 /// let super_ = slf.into_super();
359 /// format!("{} {} {}", super_.as_ref().name1, super_.name2, subname)
360 /// }
361 /// }
362 /// # Python::with_gil(|py| {
363 /// # let sub = Py::new(py, Sub::new()).unwrap();
364 /// # pyo3::py_run!(py, sub, "assert sub.name() == 'base1 base2 sub'")
365 /// # });
366 /// ```
367 pub fn into_super(self) -> PyRef<'p, U> {
368 let py = self.py();
369 PyRef {
370 inner: unsafe {
371 ManuallyDrop::new(self)
372 .as_ptr()
373 .assume_owned_unchecked(py)
374 .downcast_into_unchecked()
375 },
376 }
377 }
378
379 /// Borrows a shared reference to `PyRef<T::BaseType>`.
380 ///
381 /// With the help of this method, you can access attributes and call methods
382 /// on the superclass without consuming the `PyRef<T>`. This method can also
383 /// be chained to access the super-superclass (and so on).
384 ///
385 /// # Examples
386 /// ```
387 /// # use pyo3::prelude::*;
388 /// #[pyclass(subclass)]
389 /// struct Base {
390 /// base_name: &'static str,
391 /// }
392 /// #[pymethods]
393 /// impl Base {
394 /// fn base_name_len(&self) -> usize {
395 /// self.base_name.len()
396 /// }
397 /// }
398 ///
399 /// #[pyclass(extends=Base)]
400 /// struct Sub {
401 /// sub_name: &'static str,
402 /// }
403 ///
404 /// #[pymethods]
405 /// impl Sub {
406 /// #[new]
407 /// fn new() -> (Self, Base) {
408 /// (Self { sub_name: "sub_name" }, Base { base_name: "base_name" })
409 /// }
410 /// fn sub_name_len(&self) -> usize {
411 /// self.sub_name.len()
412 /// }
413 /// fn format_name_lengths(slf: PyRef<'_, Self>) -> String {
414 /// format!("{} {}", slf.as_super().base_name_len(), slf.sub_name_len())
415 /// }
416 /// }
417 /// # Python::with_gil(|py| {
418 /// # let sub = Py::new(py, Sub::new()).unwrap();
419 /// # pyo3::py_run!(py, sub, "assert sub.format_name_lengths() == '9 8'")
420 /// # });
421 /// ```
422 pub fn as_super(&self) -> &PyRef<'p, U> {
423 let ptr = ptr_from_ref::<Bound<'p, T>>(&self.inner)
424 // `Bound<T>` has the same layout as `Bound<T::BaseType>`
425 .cast::<Bound<'p, T::BaseType>>()
426 // `Bound<T::BaseType>` has the same layout as `PyRef<T::BaseType>`
427 .cast::<PyRef<'p, T::BaseType>>();
428 unsafe { &*ptr }
429 }
430}
431
432impl<T: PyClass> Deref for PyRef<'_, T> {
433 type Target = T;
434
435 #[inline]
436 fn deref(&self) -> &T {
437 unsafe { &*self.inner.get_class_object().get_ptr() }
438 }
439}
440
441impl<T: PyClass> Drop for PyRef<'_, T> {
442 fn drop(&mut self) {
443 self.inner
444 .get_class_object()
445 .borrow_checker()
446 .release_borrow()
447 }
448}
449
450impl<'py, T: PyClass> IntoPyObject<'py> for PyRef<'py, T> {
451 type Target = T;
452 type Output = Bound<'py, T>;
453 type Error = Infallible;
454
455 fn into_pyobject(self, _py: Python<'py>) -> Result<Self::Output, Self::Error> {
456 Ok(self.inner.clone())
457 }
458}
459
460impl<'a, 'py, T: PyClass> IntoPyObject<'py> for &'a PyRef<'py, T> {
461 type Target = T;
462 type Output = Borrowed<'a, 'py, T>;
463 type Error = Infallible;
464
465 fn into_pyobject(self, _py: Python<'py>) -> Result<Self::Output, Self::Error> {
466 Ok(self.inner.as_borrowed())
467 }
468}
469
470unsafe impl<T: PyClass> AsPyPointer for PyRef<'_, T> {
471 fn as_ptr(&self) -> *mut ffi::PyObject {
472 self.inner.as_ptr()
473 }
474}
475
476impl<T: PyClass + fmt::Debug> fmt::Debug for PyRef<'_, T> {
477 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
478 fmt::Debug::fmt(&**self, f)
479 }
480}
481
482/// A wrapper type for a mutably borrowed value from a [`Bound<'py, T>`].
483///
484/// See the [module-level documentation](self) for more information.
485#[repr(transparent)]
486pub struct PyRefMut<'p, T: PyClass<Frozen = False>> {
487 // TODO: once the GIL Ref API is removed, consider adding a lifetime parameter to `PyRef` to
488 // store `Borrowed` here instead, avoiding reference counting overhead.
489 inner: Bound<'p, T>,
490}
491
492impl<'p, T: PyClass<Frozen = False>> PyRefMut<'p, T> {
493 /// Returns a `Python` token that is bound to the lifetime of the `PyRefMut`.
494 pub fn py(&self) -> Python<'p> {
495 self.inner.py()
496 }
497}
498
499impl<T, U> AsRef<U> for PyRefMut<'_, T>
500where
501 T: PyClass<BaseType = U, Frozen = False>,
502 U: PyClass<Frozen = False>,
503{
504 fn as_ref(&self) -> &T::BaseType {
505 PyRefMut::downgrade(self).as_super()
506 }
507}
508
509impl<T, U> AsMut<U> for PyRefMut<'_, T>
510where
511 T: PyClass<BaseType = U, Frozen = False>,
512 U: PyClass<Frozen = False>,
513{
514 fn as_mut(&mut self) -> &mut T::BaseType {
515 self.as_super()
516 }
517}
518
519impl<'py, T: PyClass<Frozen = False>> PyRefMut<'py, T> {
520 /// Returns the raw FFI pointer represented by self.
521 ///
522 /// # Safety
523 ///
524 /// Callers are responsible for ensuring that the pointer does not outlive self.
525 ///
526 /// The reference is borrowed; callers should not decrease the reference count
527 /// when they are finished with the pointer.
528 #[inline]
529 pub fn as_ptr(&self) -> *mut ffi::PyObject {
530 self.inner.as_ptr()
531 }
532
533 /// Returns an owned raw FFI pointer represented by self.
534 ///
535 /// # Safety
536 ///
537 /// The reference is owned; when finished the caller should either transfer ownership
538 /// of the pointer or decrease the reference count (e.g. with [`pyo3::ffi::Py_DecRef`](crate::ffi::Py_DecRef)).
539 #[inline]
540 pub fn into_ptr(self) -> *mut ffi::PyObject {
541 self.inner.clone().into_ptr()
542 }
543
544 #[inline]
545 #[track_caller]
546 pub(crate) fn borrow(obj: &Bound<'py, T>) -> Self {
547 Self::try_borrow(obj).expect("Already borrowed")
548 }
549
550 pub(crate) fn try_borrow(obj: &Bound<'py, T>) -> Result<Self, PyBorrowMutError> {
551 let cell = obj.get_class_object();
552 cell.ensure_threadsafe();
553 cell.borrow_checker()
554 .try_borrow_mut()
555 .map(|_| Self { inner: obj.clone() })
556 }
557
558 pub(crate) fn downgrade(slf: &Self) -> &PyRef<'py, T> {
559 // `PyRefMut<T>` and `PyRef<T>` have the same layout
560 unsafe { &*ptr_from_ref(slf).cast() }
561 }
562}
563
564impl<'p, T, U> PyRefMut<'p, T>
565where
566 T: PyClass<BaseType = U, Frozen = False>,
567 U: PyClass<Frozen = False>,
568{
569 /// Gets a `PyRef<T::BaseType>`.
570 ///
571 /// See [`PyRef::into_super`] for more.
572 pub fn into_super(self) -> PyRefMut<'p, U> {
573 let py = self.py();
574 PyRefMut {
575 inner: unsafe {
576 ManuallyDrop::new(self)
577 .as_ptr()
578 .assume_owned_unchecked(py)
579 .downcast_into_unchecked()
580 },
581 }
582 }
583
584 /// Borrows a mutable reference to `PyRefMut<T::BaseType>`.
585 ///
586 /// With the help of this method, you can mutate attributes and call mutating
587 /// methods on the superclass without consuming the `PyRefMut<T>`. This method
588 /// can also be chained to access the super-superclass (and so on).
589 ///
590 /// See [`PyRef::as_super`] for more.
591 pub fn as_super(&mut self) -> &mut PyRefMut<'p, U> {
592 let ptr = ptr_from_mut::<Bound<'p, T>>(&mut self.inner)
593 // `Bound<T>` has the same layout as `Bound<T::BaseType>`
594 .cast::<Bound<'p, T::BaseType>>()
595 // `Bound<T::BaseType>` has the same layout as `PyRefMut<T::BaseType>`,
596 // and the mutable borrow on `self` prevents aliasing
597 .cast::<PyRefMut<'p, T::BaseType>>();
598 unsafe { &mut *ptr }
599 }
600}
601
602impl<T: PyClass<Frozen = False>> Deref for PyRefMut<'_, T> {
603 type Target = T;
604
605 #[inline]
606 fn deref(&self) -> &T {
607 unsafe { &*self.inner.get_class_object().get_ptr() }
608 }
609}
610
611impl<T: PyClass<Frozen = False>> DerefMut for PyRefMut<'_, T> {
612 #[inline]
613 fn deref_mut(&mut self) -> &mut T {
614 unsafe { &mut *self.inner.get_class_object().get_ptr() }
615 }
616}
617
618impl<T: PyClass<Frozen = False>> Drop for PyRefMut<'_, T> {
619 fn drop(&mut self) {
620 self.inner
621 .get_class_object()
622 .borrow_checker()
623 .release_borrow_mut()
624 }
625}
626
627impl<'py, T: PyClass<Frozen = False>> IntoPyObject<'py> for PyRefMut<'py, T> {
628 type Target = T;
629 type Output = Bound<'py, T>;
630 type Error = Infallible;
631
632 fn into_pyobject(self, _py: Python<'py>) -> Result<Self::Output, Self::Error> {
633 Ok(self.inner.clone())
634 }
635}
636
637impl<'a, 'py, T: PyClass<Frozen = False>> IntoPyObject<'py> for &'a PyRefMut<'py, T> {
638 type Target = T;
639 type Output = Borrowed<'a, 'py, T>;
640 type Error = Infallible;
641
642 fn into_pyobject(self, _py: Python<'py>) -> Result<Self::Output, Self::Error> {
643 Ok(self.inner.as_borrowed())
644 }
645}
646
647impl<T: PyClass<Frozen = False> + fmt::Debug> fmt::Debug for PyRefMut<'_, T> {
648 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
649 fmt::Debug::fmt(self.deref(), f)
650 }
651}
652
653/// An error type returned by [`Bound::try_borrow`].
654///
655/// If this error is allowed to bubble up into Python code it will raise a `RuntimeError`.
656pub struct PyBorrowError {
657 _private: (),
658}
659
660impl fmt::Debug for PyBorrowError {
661 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
662 f.debug_struct("PyBorrowError").finish()
663 }
664}
665
666impl fmt::Display for PyBorrowError {
667 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
668 fmt::Display::fmt("Already mutably borrowed", f)
669 }
670}
671
672impl From<PyBorrowError> for PyErr {
673 fn from(other: PyBorrowError) -> Self {
674 PyRuntimeError::new_err(other.to_string())
675 }
676}
677
678/// An error type returned by [`Bound::try_borrow_mut`].
679///
680/// If this error is allowed to bubble up into Python code it will raise a `RuntimeError`.
681pub struct PyBorrowMutError {
682 _private: (),
683}
684
685impl fmt::Debug for PyBorrowMutError {
686 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
687 f.debug_struct("PyBorrowMutError").finish()
688 }
689}
690
691impl fmt::Display for PyBorrowMutError {
692 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
693 fmt::Display::fmt("Already borrowed", f)
694 }
695}
696
697impl From<PyBorrowMutError> for PyErr {
698 fn from(other: PyBorrowMutError) -> Self {
699 PyRuntimeError::new_err(other.to_string())
700 }
701}
702
703#[cfg(test)]
704#[cfg(feature = "macros")]
705mod tests {
706
707 use super::*;
708
709 #[crate::pyclass]
710 #[pyo3(crate = "crate")]
711 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
712 struct SomeClass(i32);
713
714 #[test]
715 fn test_as_ptr() {
716 Python::with_gil(|py| {
717 let cell = Bound::new(py, SomeClass(0)).unwrap();
718 let ptr = cell.as_ptr();
719
720 assert_eq!(cell.borrow().as_ptr(), ptr);
721 assert_eq!(cell.borrow_mut().as_ptr(), ptr);
722 })
723 }
724
725 #[test]
726 fn test_into_ptr() {
727 Python::with_gil(|py| {
728 let cell = Bound::new(py, SomeClass(0)).unwrap();
729 let ptr = cell.as_ptr();
730
731 assert_eq!(cell.borrow().into_ptr(), ptr);
732 unsafe { ffi::Py_DECREF(ptr) };
733
734 assert_eq!(cell.borrow_mut().into_ptr(), ptr);
735 unsafe { ffi::Py_DECREF(ptr) };
736 })
737 }
738
739 #[crate::pyclass]
740 #[pyo3(crate = "crate", subclass)]
741 struct BaseClass {
742 val1: usize,
743 }
744
745 #[crate::pyclass]
746 #[pyo3(crate = "crate", extends=BaseClass, subclass)]
747 struct SubClass {
748 val2: usize,
749 }
750
751 #[crate::pyclass]
752 #[pyo3(crate = "crate", extends=SubClass)]
753 struct SubSubClass {
754 val3: usize,
755 }
756
757 #[crate::pymethods]
758 #[pyo3(crate = "crate")]
759 impl SubSubClass {
760 #[new]
761 fn new(py: Python<'_>) -> crate::Py<SubSubClass> {
762 let init = crate::PyClassInitializer::from(BaseClass { val1: 10 })
763 .add_subclass(SubClass { val2: 15 })
764 .add_subclass(SubSubClass { val3: 20 });
765 crate::Py::new(py, init).expect("allocation error")
766 }
767
768 fn get_values(self_: PyRef<'_, Self>) -> (usize, usize, usize) {
769 let val1 = self_.as_super().as_super().val1;
770 let val2 = self_.as_super().val2;
771 (val1, val2, self_.val3)
772 }
773
774 fn double_values(mut self_: PyRefMut<'_, Self>) {
775 self_.as_super().as_super().val1 *= 2;
776 self_.as_super().val2 *= 2;
777 self_.val3 *= 2;
778 }
779 }
780
781 #[test]
782 fn test_pyref_as_super() {
783 Python::with_gil(|py| {
784 let obj = SubSubClass::new(py).into_bound(py);
785 let pyref = obj.borrow();
786 assert_eq!(pyref.as_super().as_super().val1, 10);
787 assert_eq!(pyref.as_super().val2, 15);
788 assert_eq!(pyref.as_ref().val2, 15); // `as_ref` also works
789 assert_eq!(pyref.val3, 20);
790 assert_eq!(SubSubClass::get_values(pyref), (10, 15, 20));
791 });
792 }
793
794 #[test]
795 fn test_pyrefmut_as_super() {
796 Python::with_gil(|py| {
797 let obj = SubSubClass::new(py).into_bound(py);
798 assert_eq!(SubSubClass::get_values(obj.borrow()), (10, 15, 20));
799 {
800 let mut pyrefmut = obj.borrow_mut();
801 assert_eq!(pyrefmut.as_super().as_ref().val1, 10);
802 pyrefmut.as_super().as_super().val1 -= 5;
803 pyrefmut.as_super().val2 -= 3;
804 pyrefmut.as_mut().val2 -= 2; // `as_mut` also works
805 pyrefmut.val3 -= 5;
806 }
807 assert_eq!(SubSubClass::get_values(obj.borrow()), (5, 10, 15));
808 SubSubClass::double_values(obj.borrow_mut());
809 assert_eq!(SubSubClass::get_values(obj.borrow()), (10, 20, 30));
810 });
811 }
812
813 #[test]
814 fn test_pyrefs_in_python() {
815 Python::with_gil(|py| {
816 let obj = SubSubClass::new(py);
817 crate::py_run!(py, obj, "assert obj.get_values() == (10, 15, 20)");
818 crate::py_run!(py, obj, "assert obj.double_values() is None");
819 crate::py_run!(py, obj, "assert obj.get_values() == (20, 30, 40)");
820 });
821 }
822}