Do not apply deferred ref count updates and prevent the GIL from being acquired inside of implementations.
This commit is contained in:
parent
d71af73456
commit
810ad00a76
|
@ -407,6 +407,10 @@ impl ClassWithGCSupport {
|
|||
}
|
||||
```
|
||||
|
||||
Usually, an implementation of `__traverse__` should do nothing but calls to `visit.call`.
|
||||
Most importantly, safe access to the GIL is prohibited inside implementations of `__traverse__`,
|
||||
i.e. `Python::with_gil` will panic.
|
||||
|
||||
> Note: these methods are part of the C API, PyPy does not necessarily honor them. If you are building for PyPy you should measure memory consumption to make sure you do not have runaway memory growth. See [this issue on the PyPy bug tracker](https://foss.heptapod.net/pypy/pypy/-/issues/3899).
|
||||
|
||||
[`IterNextOutput`]: {{#PYO3_DOCS_URL}}/pyo3/pyclass/enum.IterNextOutput.html
|
||||
|
|
|
@ -0,0 +1 @@
|
|||
Safe access to the GIL, for example via `Python::with_gil`, is now locked inside of implementations of the `__traverse__` slot.
|
|
@ -0,0 +1 @@
|
|||
Do not apply deferred reference count updates when entering a `__traverse__` implementation is it cannot alter any reference counts while the garbage collector is running.
|
|
@ -401,6 +401,11 @@ fn impl_call_slot(cls: &syn::Type, mut spec: FnSpec<'_>) -> Result<MethodAndSlot
|
|||
}
|
||||
|
||||
fn impl_traverse_slot(cls: &syn::Type, rust_fn_ident: &syn::Ident) -> MethodAndSlotDef {
|
||||
// It is important the implementation of `__traverse__` cannot safely access the GIL,
|
||||
// c.f. https://github.com/PyO3/pyo3/issues/3165, and hence we do not expose our GIL
|
||||
// token to the user code and lock safe methods for acquiring the GIL.
|
||||
// Since we do not create a `GILPool` at all, it is important that our usage of the GIL
|
||||
// token does not produce any owned objects thereby calling into `register_owned`.
|
||||
let associated_method = quote! {
|
||||
pub unsafe extern "C" fn __pymethod_traverse__(
|
||||
slf: *mut _pyo3::ffi::PyObject,
|
||||
|
@ -409,14 +414,17 @@ fn impl_traverse_slot(cls: &syn::Type, rust_fn_ident: &syn::Ident) -> MethodAndS
|
|||
) -> ::std::os::raw::c_int
|
||||
{
|
||||
let trap = _pyo3::impl_::panic::PanicTrap::new("uncaught panic inside __traverse__ handler");
|
||||
let pool = _pyo3::GILPool::new();
|
||||
let py = pool.python();
|
||||
let py = _pyo3::Python::assume_gil_acquired();
|
||||
let slf = py.from_borrowed_ptr::<_pyo3::PyCell<#cls>>(slf);
|
||||
|
||||
let visit = _pyo3::class::gc::PyVisit::from_raw(visit, arg, py);
|
||||
let borrow = slf.try_borrow();
|
||||
let visit = _pyo3::class::gc::PyVisit::from_raw(visit, arg, py);
|
||||
|
||||
let retval = if let ::std::result::Result::Ok(borrow) = borrow {
|
||||
_pyo3::impl_::pymethods::unwrap_traverse_result(borrow.#rust_fn_ident(visit))
|
||||
let _lock = _pyo3::impl_::LockGIL::during_traverse();
|
||||
match ::std::panic::catch_unwind(::std::panic::AssertUnwindSafe(move || borrow.#rust_fn_ident(visit))) {
|
||||
::std::result::Result::Ok(res) => _pyo3::impl_::pymethods::unwrap_traverse_result(res),
|
||||
::std::result::Result::Err(_err) => -1,
|
||||
}
|
||||
} else {
|
||||
0
|
||||
};
|
||||
|
|
45
src/gil.rs
45
src/gil.rs
|
@ -29,12 +29,17 @@ thread_local_const_init! {
|
|||
/// they are dropped.
|
||||
///
|
||||
/// As a result, if this thread has the GIL, GIL_COUNT is greater than zero.
|
||||
static GIL_COUNT: Cell<usize> = const { Cell::new(0) };
|
||||
///
|
||||
/// Additionally, we sometimes need to prevent safe access to the GIL,
|
||||
/// e.g. when implementing `__traverse__`, which is represented by a negative value.
|
||||
static GIL_COUNT: Cell<isize> = const { Cell::new(0) };
|
||||
|
||||
/// Temporarily hold objects that will be released when the GILPool drops.
|
||||
static OWNED_OBJECTS: RefCell<Vec<NonNull<ffi::PyObject>>> = const { RefCell::new(Vec::new()) };
|
||||
}
|
||||
|
||||
const GIL_LOCKED_DURING_TRAVERSE: isize = -1;
|
||||
|
||||
/// Checks whether the GIL is acquired.
|
||||
///
|
||||
/// Note: This uses pyo3's internal count rather than PyGILState_Check for two reasons:
|
||||
|
@ -286,7 +291,7 @@ static POOL: ReferencePool = ReferencePool::new();
|
|||
|
||||
/// A guard which can be used to temporarily release the GIL and restore on `Drop`.
|
||||
pub(crate) struct SuspendGIL {
|
||||
count: usize,
|
||||
count: isize,
|
||||
tstate: *mut ffi::PyThreadState,
|
||||
}
|
||||
|
||||
|
@ -311,6 +316,30 @@ impl Drop for SuspendGIL {
|
|||
}
|
||||
}
|
||||
|
||||
/// Used to lock safe access to the GIL
|
||||
pub struct LockGIL {
|
||||
count: isize,
|
||||
}
|
||||
|
||||
impl LockGIL {
|
||||
/// Lock access to the GIL while an implementation of `__traverse__` is running
|
||||
pub fn during_traverse() -> Self {
|
||||
Self::new(GIL_LOCKED_DURING_TRAVERSE)
|
||||
}
|
||||
|
||||
fn new(reason: isize) -> Self {
|
||||
let count = GIL_COUNT.with(|c| c.replace(reason));
|
||||
|
||||
Self { count }
|
||||
}
|
||||
}
|
||||
|
||||
impl Drop for LockGIL {
|
||||
fn drop(&mut self) {
|
||||
GIL_COUNT.with(|c| c.set(self.count));
|
||||
}
|
||||
}
|
||||
|
||||
/// A RAII pool which PyO3 uses to store owned Python references.
|
||||
///
|
||||
/// See the [Memory Management] chapter of the guide for more information about how PyO3 uses
|
||||
|
@ -421,7 +450,17 @@ pub unsafe fn register_owned(_py: Python<'_>, obj: NonNull<ffi::PyObject>) {
|
|||
#[inline(always)]
|
||||
fn increment_gil_count() {
|
||||
// Ignores the error in case this function called from `atexit`.
|
||||
let _ = GIL_COUNT.try_with(|c| c.set(c.get() + 1));
|
||||
let _ = GIL_COUNT.try_with(|c| {
|
||||
let current = c.get();
|
||||
match current {
|
||||
GIL_LOCKED_DURING_TRAVERSE => panic!(
|
||||
"Access to the GIL is prohibited while a __traverse__ implmentation is running."
|
||||
),
|
||||
current if current < 0 => panic!("Access to the GIL is currently prohibited."),
|
||||
_ => (),
|
||||
}
|
||||
c.set(current + 1);
|
||||
});
|
||||
}
|
||||
|
||||
/// Decrements pyo3's internal GIL count - to be called whenever GILPool or GILGuard is dropped.
|
||||
|
|
|
@ -19,3 +19,5 @@ pub mod pymethods;
|
|||
pub mod pymodule;
|
||||
#[doc(hidden)]
|
||||
pub mod trampoline;
|
||||
|
||||
pub use crate::gil::LockGIL;
|
||||
|
|
|
@ -332,3 +332,35 @@ fn traverse_error() {
|
|||
);
|
||||
})
|
||||
}
|
||||
|
||||
#[pyclass]
|
||||
struct TriesGILInTraverse {}
|
||||
|
||||
#[pymethods]
|
||||
impl TriesGILInTraverse {
|
||||
fn __traverse__(&self, _visit: PyVisit<'_>) -> Result<(), PyTraverseError> {
|
||||
Python::with_gil(|_py| {});
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn tries_gil_in_traverse() {
|
||||
Python::with_gil(|py| unsafe {
|
||||
// declare a visitor function which errors (returns nonzero code)
|
||||
extern "C" fn novisit(
|
||||
_object: *mut pyo3::ffi::PyObject,
|
||||
_arg: *mut core::ffi::c_void,
|
||||
) -> std::os::raw::c_int {
|
||||
0
|
||||
}
|
||||
|
||||
// get the traverse function
|
||||
let ty = py.get_type::<TriesGILInTraverse>().as_type_ptr();
|
||||
let traverse = get_type_traverse(ty).unwrap();
|
||||
|
||||
// confirm that traversing panicks
|
||||
let obj = Py::new(py, TriesGILInTraverse {}).unwrap();
|
||||
assert_eq!(traverse(obj.as_ptr(), novisit, std::ptr::null_mut()), -1);
|
||||
})
|
||||
}
|
||||
|
|
Loading…
Reference in New Issue