pyo3/
marker.rs

1//! Fundamental properties of objects tied to the Python interpreter.
2//!
3//! The Python interpreter is not thread-safe. To protect the Python interpreter in multithreaded
4//! scenarios there is a global lock, the *global interpreter lock* (hereafter referred to as *GIL*)
5//! that must be held to safely interact with Python objects. This is why in PyO3 when you acquire
6//! the GIL you get a [`Python`] marker token that carries the *lifetime* of holding the GIL and all
7//! borrowed references to Python objects carry this lifetime as well. This will statically ensure
8//! that you can never use Python objects after dropping the lock - if you mess this up it will be
9//! caught at compile time and your program will fail to compile.
10//!
11//! It also supports this pattern that many extension modules employ:
12//! - Drop the GIL, so that other Python threads can acquire it and make progress themselves
13//! - Do something independently of the Python interpreter, like IO, a long running calculation or
14//!   awaiting a future
15//! - Once that is done, reacquire the GIL
16//!
17//! That API is provided by [`Python::allow_threads`] and enforced via the [`Ungil`] bound on the
18//! closure and the return type. This is done by relying on the [`Send`] auto trait. `Ungil` is
19//! defined as the following:
20//!
21//! ```rust,no_run
22//! # #![allow(dead_code)]
23//! pub unsafe trait Ungil {}
24//!
25//! unsafe impl<T: Send> Ungil for T {}
26//! ```
27//!
28//! We piggy-back off the `Send` auto trait because it is not possible to implement custom auto
29//! traits on stable Rust. This is the solution which enables it for as many types as possible while
30//! making the API usable.
31//!
32//! In practice this API works quite well, but it comes with some drawbacks:
33//!
34//! ## Drawbacks
35//!
36//! There is no reason to prevent `!Send` types like [`Rc`] from crossing the closure. After all,
37//! [`Python::allow_threads`] just lets other Python threads run - it does not itself launch a new
38//! thread.
39//!
40//! ```rust, compile_fail
41//! # #[cfg(feature = "nightly")]
42//! # compile_error!("this actually works on nightly")
43//! use pyo3::prelude::*;
44//! use std::rc::Rc;
45//!
46//! fn main() {
47//!     Python::with_gil(|py| {
48//!         let rc = Rc::new(5);
49//!
50//!         py.allow_threads(|| {
51//!             // This would actually be fine...
52//!             println!("{:?}", *rc);
53//!         });
54//!     });
55//! }
56//! ```
57//!
58//! Because we are using `Send` for something it's not quite meant for, other code that
59//! (correctly) upholds the invariants of [`Send`] can cause problems.
60//!
61//! [`SendWrapper`] is one of those. Per its documentation:
62//!
63//! > A wrapper which allows you to move around non-Send-types between threads, as long as you
64//! > access the contained value only from within the original thread and make sure that it is
65//! > dropped from within the original thread.
66//!
67//! This will "work" to smuggle Python references across the closure, because we're not actually
68//! doing anything with threads:
69//!
70//! ```rust, no_run
71//! use pyo3::prelude::*;
72//! use pyo3::types::PyString;
73//! use send_wrapper::SendWrapper;
74//!
75//! Python::with_gil(|py| {
76//!     let string = PyString::new(py, "foo");
77//!
78//!     let wrapped = SendWrapper::new(string);
79//!
80//!     py.allow_threads(|| {
81//! # #[cfg(not(feature = "nightly"))]
82//! # {
83//!         // 💥 Unsound! 💥
84//!         let smuggled: &Bound<'_, PyString> = &*wrapped;
85//!         println!("{:?}", smuggled);
86//! # }
87//!     });
88//! });
89//! ```
90//!
91//! For now the answer to that is "don't do that".
92//!
93//! # A proper implementation using an auto trait
94//!
95//! However on nightly Rust and when PyO3's `nightly` feature is
96//! enabled, `Ungil` is defined as the following:
97//!
98//! ```rust,no_run
99//! # #[cfg(any())]
100//! # {
101//! #![feature(auto_traits, negative_impls)]
102//!
103//! pub unsafe auto trait Ungil {}
104//!
105//! // It is unimplemented for the `Python` struct and Python objects.
106//! impl !Ungil for Python<'_> {}
107//! impl !Ungil for ffi::PyObject {}
108//!
109//! // `Py` wraps it in  a safe api, so this is OK
110//! unsafe impl<T> Ungil for Py<T> {}
111//! # }
112//! ```
113//!
114//! With this feature enabled, the above two examples will start working and not working, respectively.
115//!
116//! [`SendWrapper`]: https://docs.rs/send_wrapper/latest/send_wrapper/struct.SendWrapper.html
117//! [`Rc`]: std::rc::Rc
118//! [`Py`]: crate::Py
119use crate::conversion::IntoPyObject;
120use crate::err::PyErr;
121use crate::err::{self, PyResult};
122use crate::ffi_ptr_ext::FfiPtrExt;
123use crate::gil::{GILGuard, SuspendGIL};
124use crate::impl_::not_send::NotSend;
125use crate::py_result_ext::PyResultExt;
126use crate::types::any::PyAnyMethods;
127use crate::types::{
128    PyAny, PyDict, PyEllipsis, PyModule, PyNone, PyNotImplemented, PyString, PyType,
129};
130use crate::version::PythonVersionInfo;
131use crate::{ffi, Bound, PyObject, PyTypeInfo};
132use std::ffi::CStr;
133use std::marker::PhantomData;
134use std::os::raw::c_int;
135
136/// Types that are safe to access while the GIL is not held.
137///
138/// # Safety
139///
140/// The type must not carry borrowed Python references or, if it does, not allow access to them if
141/// the GIL is not held.
142///
143/// See the [module-level documentation](self) for more information.
144///
145/// # Examples
146///
147/// This tracking is currently imprecise as it relies on the [`Send`] auto trait on stable Rust.
148/// For example, an `Rc` smart pointer should be usable without the GIL, but we currently prevent that:
149///
150/// ```compile_fail
151/// # use pyo3::prelude::*;
152/// use std::rc::Rc;
153///
154/// Python::with_gil(|py| {
155///     let rc = Rc::new(42);
156///
157///     py.allow_threads(|| {
158///         println!("{:?}", rc);
159///     });
160/// });
161/// ```
162///
163/// This also implies that the interplay between `with_gil` and `allow_threads` is unsound, for example
164/// one can circumvent this protection using the [`send_wrapper`](https://docs.rs/send_wrapper/) crate:
165///
166/// ```no_run
167/// # use pyo3::prelude::*;
168/// # use pyo3::types::PyString;
169/// use send_wrapper::SendWrapper;
170///
171/// Python::with_gil(|py| {
172///     let string = PyString::new(py, "foo");
173///
174///     let wrapped = SendWrapper::new(string);
175///
176///     py.allow_threads(|| {
177///         let sneaky: &Bound<'_, PyString> = &*wrapped;
178///
179///         println!("{:?}", sneaky);
180///     });
181/// });
182/// ```
183///
184/// Fixing this loophole on stable Rust has significant ergonomic issues, but it is fixed when using
185/// nightly Rust and the `nightly` feature, c.f. [#2141](https://github.com/PyO3/pyo3/issues/2141).
186#[cfg_attr(docsrs, doc(cfg(all())))] // Hide the cfg flag
187#[cfg(not(feature = "nightly"))]
188pub unsafe trait Ungil {}
189
190#[cfg_attr(docsrs, doc(cfg(all())))] // Hide the cfg flag
191#[cfg(not(feature = "nightly"))]
192unsafe impl<T: Send> Ungil for T {}
193
194#[cfg(feature = "nightly")]
195mod nightly {
196    macro_rules! define {
197        ($($tt:tt)*) => { $($tt)* }
198    }
199
200    define! {
201        /// Types that are safe to access while the GIL is not held.
202        ///
203        /// # Safety
204        ///
205        /// The type must not carry borrowed Python references or, if it does, not allow access to them if
206        /// the GIL is not held.
207        ///
208        /// See the [module-level documentation](self) for more information.
209        ///
210        /// # Examples
211        ///
212        /// Types which are `Ungil` cannot be used in contexts where the GIL was released, e.g.
213        ///
214        /// ```compile_fail
215        /// # use pyo3::prelude::*;
216        /// # use pyo3::types::PyString;
217        /// Python::with_gil(|py| {
218        ///     let string = PyString::new(py, "foo");
219        ///
220        ///     py.allow_threads(|| {
221        ///         println!("{:?}", string);
222        ///     });
223        /// });
224        /// ```
225        ///
226        /// This applies to the GIL token `Python` itself as well, e.g.
227        ///
228        /// ```compile_fail
229        /// # use pyo3::prelude::*;
230        /// Python::with_gil(|py| {
231        ///     py.allow_threads(|| {
232        ///         drop(py);
233        ///     });
234        /// });
235        /// ```
236        ///
237        /// On nightly Rust, this is not based on the [`Send`] auto trait and hence we are able
238        /// to prevent incorrectly circumventing it using e.g. the [`send_wrapper`](https://docs.rs/send_wrapper/) crate:
239        ///
240        /// ```compile_fail
241        /// # use pyo3::prelude::*;
242        /// # use pyo3::types::PyString;
243        /// use send_wrapper::SendWrapper;
244        ///
245        /// Python::with_gil(|py| {
246        ///     let string = PyString::new(py, "foo");
247        ///
248        ///     let wrapped = SendWrapper::new(string);
249        ///
250        ///     py.allow_threads(|| {
251        ///         let sneaky: &PyString = *wrapped;
252        ///
253        ///         println!("{:?}", sneaky);
254        ///     });
255        /// });
256        /// ```
257        ///
258        /// This also enables using non-[`Send`] types in `allow_threads`,
259        /// at least if they are not also bound to the GIL:
260        ///
261        /// ```rust
262        /// # use pyo3::prelude::*;
263        /// use std::rc::Rc;
264        ///
265        /// Python::with_gil(|py| {
266        ///     let rc = Rc::new(42);
267        ///
268        ///     py.allow_threads(|| {
269        ///         println!("{:?}", rc);
270        ///     });
271        /// });
272        /// ```
273        pub unsafe auto trait Ungil {}
274    }
275
276    impl !Ungil for crate::Python<'_> {}
277
278    // This means that PyString, PyList, etc all inherit !Ungil from  this.
279    impl !Ungil for crate::PyAny {}
280
281    impl<T> !Ungil for crate::PyRef<'_, T> {}
282    impl<T> !Ungil for crate::PyRefMut<'_, T> {}
283
284    // FFI pointees
285    impl !Ungil for crate::ffi::PyObject {}
286    impl !Ungil for crate::ffi::PyLongObject {}
287
288    impl !Ungil for crate::ffi::PyThreadState {}
289    impl !Ungil for crate::ffi::PyInterpreterState {}
290    impl !Ungil for crate::ffi::PyWeakReference {}
291    impl !Ungil for crate::ffi::PyFrameObject {}
292    impl !Ungil for crate::ffi::PyCodeObject {}
293    #[cfg(not(Py_LIMITED_API))]
294    impl !Ungil for crate::ffi::PyDictKeysObject {}
295    #[cfg(not(any(Py_LIMITED_API, Py_3_10)))]
296    impl !Ungil for crate::ffi::PyArena {}
297}
298
299#[cfg(feature = "nightly")]
300pub use nightly::Ungil;
301
302/// A marker token that represents holding the GIL.
303///
304/// It serves three main purposes:
305/// - It provides a global API for the Python interpreter, such as [`Python::eval`].
306/// - It can be passed to functions that require a proof of holding the GIL, such as
307///   [`Py::clone_ref`](crate::Py::clone_ref).
308/// - Its lifetime represents the scope of holding the GIL which can be used to create Rust
309///   references that are bound to it, such as [`Bound<'py, PyAny>`].
310///
311/// Note that there are some caveats to using it that you might need to be aware of. See the
312/// [Deadlocks](#deadlocks) and [Releasing and freeing memory](#releasing-and-freeing-memory)
313/// paragraphs for more information about that.
314///
315/// # Obtaining a Python token
316///
317/// The following are the recommended ways to obtain a [`Python<'py>`] token, in order of preference:
318/// - If you already have something with a lifetime bound to the GIL, such as [`Bound<'py, PyAny>`], you can
319///   use its `.py()` method to get a token.
320/// - In a function or method annotated with [`#[pyfunction]`](crate::pyfunction) or [`#[pymethods]`](crate::pymethods) you can declare it
321///   as a parameter, and PyO3 will pass in the token when Python code calls it.
322/// - When you need to acquire the GIL yourself, such as when calling Python code from Rust, you
323///   should call [`Python::with_gil`] to do that and pass your code as a closure to it.
324///
325/// The first two options are zero-cost; [`Python::with_gil`] requires runtime checking and may need to block
326/// to acquire the GIL.
327///
328/// # Deadlocks
329///
330/// Note that the GIL can be temporarily released by the Python interpreter during a function call
331/// (e.g. importing a module). In general, you don't need to worry about this because the GIL is
332/// reacquired before returning to the Rust code:
333///
334/// ```text
335/// `Python` exists   |=====================================|
336/// GIL actually held |==========|         |================|
337/// Rust code running |=======|                |==|  |======|
338/// ```
339///
340/// This behaviour can cause deadlocks when trying to lock a Rust mutex while holding the GIL:
341///
342///  * Thread 1 acquires the GIL
343///  * Thread 1 locks a mutex
344///  * Thread 1 makes a call into the Python interpreter which releases the GIL
345///  * Thread 2 acquires the GIL
346///  * Thread 2 tries to locks the mutex, blocks
347///  * Thread 1's Python interpreter call blocks trying to reacquire the GIL held by thread 2
348///
349/// To avoid deadlocking, you should release the GIL before trying to lock a mutex or `await`ing in
350/// asynchronous code, e.g. with [`Python::allow_threads`].
351///
352/// # Releasing and freeing memory
353///
354/// The [`Python<'py>`] type can be used to create references to variables owned by the Python
355/// interpreter, using functions such as [`Python::eval`] and [`PyModule::import`].
356#[derive(Copy, Clone)]
357pub struct Python<'py>(PhantomData<(&'py GILGuard, NotSend)>);
358
359impl Python<'_> {
360    /// Acquires the global interpreter lock, allowing access to the Python interpreter. The
361    /// provided closure `F` will be executed with the acquired `Python` marker token.
362    ///
363    /// If implementing [`#[pymethods]`](crate::pymethods) or [`#[pyfunction]`](crate::pyfunction),
364    /// declare `py: Python` as an argument. PyO3 will pass in the token to grant access to the GIL
365    /// context in which the function is running, avoiding the need to call `with_gil`.
366    ///
367    /// If the [`auto-initialize`] feature is enabled and the Python runtime is not already
368    /// initialized, this function will initialize it. See
369    #[cfg_attr(
370        not(any(PyPy, GraalPy)),
371        doc = "[`prepare_freethreaded_python`](crate::prepare_freethreaded_python)"
372    )]
373    #[cfg_attr(PyPy, doc = "`prepare_freethreaded_python`")]
374    /// for details.
375    ///
376    /// If the current thread does not yet have a Python "thread state" associated with it,
377    /// a new one will be automatically created before `F` is executed and destroyed after `F`
378    /// completes.
379    ///
380    /// # Panics
381    ///
382    /// - If the [`auto-initialize`] feature is not enabled and the Python interpreter is not
383    ///   initialized.
384    ///
385    /// # Examples
386    ///
387    /// ```
388    /// use pyo3::prelude::*;
389    /// use pyo3::ffi::c_str;
390    ///
391    /// # fn main() -> PyResult<()> {
392    /// Python::with_gil(|py| -> PyResult<()> {
393    ///     let x: i32 = py.eval(c_str!("5"), None, None)?.extract()?;
394    ///     assert_eq!(x, 5);
395    ///     Ok(())
396    /// })
397    /// # }
398    /// ```
399    ///
400    /// [`auto-initialize`]: https://pyo3.rs/main/features.html#auto-initialize
401    #[inline]
402    pub fn with_gil<F, R>(f: F) -> R
403    where
404        F: for<'py> FnOnce(Python<'py>) -> R,
405    {
406        let guard = GILGuard::acquire();
407
408        // SAFETY: Either the GIL was already acquired or we just created a new `GILGuard`.
409        f(guard.python())
410    }
411
412    /// Like [`Python::with_gil`] except Python interpreter state checking is skipped.
413    ///
414    /// Normally when the GIL is acquired, we check that the Python interpreter is an
415    /// appropriate state (e.g. it is fully initialized). This function skips those
416    /// checks.
417    ///
418    /// # Safety
419    ///
420    /// If [`Python::with_gil`] would succeed, it is safe to call this function.
421    ///
422    /// In most cases, you should use [`Python::with_gil`].
423    ///
424    /// A justified scenario for calling this function is during multi-phase interpreter
425    /// initialization when [`Python::with_gil`] would fail before
426    // this link is only valid on 3.8+not pypy and up.
427    #[cfg_attr(
428        all(Py_3_8, not(PyPy)),
429        doc = "[`_Py_InitializeMain`](crate::ffi::_Py_InitializeMain)"
430    )]
431    #[cfg_attr(any(not(Py_3_8), PyPy), doc = "`_Py_InitializeMain`")]
432    /// is called because the interpreter is only partially initialized.
433    ///
434    /// Behavior in other scenarios is not documented.
435    #[inline]
436    pub unsafe fn with_gil_unchecked<F, R>(f: F) -> R
437    where
438        F: for<'py> FnOnce(Python<'py>) -> R,
439    {
440        let guard = unsafe { GILGuard::acquire_unchecked() };
441
442        f(guard.python())
443    }
444}
445
446impl<'py> Python<'py> {
447    /// Temporarily releases the GIL, thus allowing other Python threads to run. The GIL will be
448    /// reacquired when `F`'s scope ends.
449    ///
450    /// If you don't need to touch the Python
451    /// interpreter for some time and have other Python threads around, this will let you run
452    /// Rust-only code while letting those other Python threads make progress.
453    ///
454    /// Only types that implement [`Ungil`] can cross the closure. See the
455    /// [module level documentation](self) for more information.
456    ///
457    /// If you need to pass Python objects into the closure you can use [`Py`]`<T>`to create a
458    /// reference independent of the GIL lifetime. However, you cannot do much with those without a
459    /// [`Python`] token, for which you'd need to reacquire the GIL.
460    ///
461    /// # Example: Releasing the GIL while running a computation in Rust-only code
462    ///
463    /// ```
464    /// use pyo3::prelude::*;
465    ///
466    /// #[pyfunction]
467    /// fn sum_numbers(py: Python<'_>, numbers: Vec<u32>) -> PyResult<u32> {
468    ///     // We release the GIL here so any other Python threads get a chance to run.
469    ///     py.allow_threads(move || {
470    ///         // An example of an "expensive" Rust calculation
471    ///         let sum = numbers.iter().sum();
472    ///
473    ///         Ok(sum)
474    ///     })
475    /// }
476    /// #
477    /// # fn main() -> PyResult<()> {
478    /// #     Python::with_gil(|py| -> PyResult<()> {
479    /// #         let fun = pyo3::wrap_pyfunction!(sum_numbers, py)?;
480    /// #         let res = fun.call1((vec![1_u32, 2, 3],))?;
481    /// #         assert_eq!(res.extract::<u32>()?, 6_u32);
482    /// #         Ok(())
483    /// #     })
484    /// # }
485    /// ```
486    ///
487    /// Please see the [Parallelism] chapter of the guide for a thorough discussion of using
488    /// [`Python::allow_threads`] in this manner.
489    ///
490    /// # Example: Passing borrowed Python references into the closure is not allowed
491    ///
492    /// ```compile_fail
493    /// use pyo3::prelude::*;
494    /// use pyo3::types::PyString;
495    ///
496    /// fn parallel_print(py: Python<'_>) {
497    ///     let s = PyString::new(py, "This object cannot be accessed without holding the GIL >_<");
498    ///     py.allow_threads(move || {
499    ///         println!("{:?}", s); // This causes a compile error.
500    ///     });
501    /// }
502    /// ```
503    ///
504    /// [`Py`]: crate::Py
505    /// [`PyString`]: crate::types::PyString
506    /// [auto-traits]: https://doc.rust-lang.org/nightly/unstable-book/language-features/auto-traits.html
507    /// [Parallelism]: https://pyo3.rs/main/parallelism.html
508    pub fn allow_threads<T, F>(self, f: F) -> T
509    where
510        F: Ungil + FnOnce() -> T,
511        T: Ungil,
512    {
513        // Use a guard pattern to handle reacquiring the GIL,
514        // so that the GIL will be reacquired even if `f` panics.
515        // The `Send` bound on the closure prevents the user from
516        // transferring the `Python` token into the closure.
517        let _guard = unsafe { SuspendGIL::new() };
518        f()
519    }
520
521    /// Evaluates a Python expression in the given context and returns the result.
522    ///
523    /// If `globals` is `None`, it defaults to Python module `__main__`.
524    /// If `locals` is `None`, it defaults to the value of `globals`.
525    ///
526    /// If `globals` doesn't contain `__builtins__`, default `__builtins__`
527    /// will be added automatically.
528    ///
529    /// # Examples
530    ///
531    /// ```
532    /// # use pyo3::prelude::*;
533    /// # use pyo3::ffi::c_str;
534    /// # Python::with_gil(|py| {
535    /// let result = py.eval(c_str!("[i * 10 for i in range(5)]"), None, None).unwrap();
536    /// let res: Vec<i64> = result.extract().unwrap();
537    /// assert_eq!(res, vec![0, 10, 20, 30, 40])
538    /// # });
539    /// ```
540    pub fn eval(
541        self,
542        code: &CStr,
543        globals: Option<&Bound<'py, PyDict>>,
544        locals: Option<&Bound<'py, PyDict>>,
545    ) -> PyResult<Bound<'py, PyAny>> {
546        self.run_code(code, ffi::Py_eval_input, globals, locals)
547    }
548
549    /// Executes one or more Python statements in the given context.
550    ///
551    /// If `globals` is `None`, it defaults to Python module `__main__`.
552    /// If `locals` is `None`, it defaults to the value of `globals`.
553    ///
554    /// If `globals` doesn't contain `__builtins__`, default `__builtins__`
555    /// will be added automatically.
556    ///
557    /// # Examples
558    /// ```
559    /// use pyo3::{
560    ///     prelude::*,
561    ///     types::{PyBytes, PyDict},
562    ///     ffi::c_str,
563    /// };
564    /// Python::with_gil(|py| {
565    ///     let locals = PyDict::new(py);
566    ///     py.run(c_str!(
567    ///         r#"
568    /// import base64
569    /// s = 'Hello Rust!'
570    /// ret = base64.b64encode(s.encode('utf-8'))
571    /// "#),
572    ///         None,
573    ///         Some(&locals),
574    ///     )
575    ///     .unwrap();
576    ///     let ret = locals.get_item("ret").unwrap().unwrap();
577    ///     let b64 = ret.downcast::<PyBytes>().unwrap();
578    ///     assert_eq!(b64.as_bytes(), b"SGVsbG8gUnVzdCE=");
579    /// });
580    /// ```
581    ///
582    /// You can use [`py_run!`](macro.py_run.html) for a handy alternative of `run`
583    /// if you don't need `globals` and unwrapping is OK.
584    pub fn run(
585        self,
586        code: &CStr,
587        globals: Option<&Bound<'py, PyDict>>,
588        locals: Option<&Bound<'py, PyDict>>,
589    ) -> PyResult<()> {
590        let res = self.run_code(code, ffi::Py_file_input, globals, locals);
591        res.map(|obj| {
592            debug_assert!(obj.is_none());
593        })
594    }
595
596    /// Runs code in the given context.
597    ///
598    /// `start` indicates the type of input expected: one of `Py_single_input`,
599    /// `Py_file_input`, or `Py_eval_input`.
600    ///
601    /// If `globals` is `None`, it defaults to Python module `__main__`.
602    /// If `locals` is `None`, it defaults to the value of `globals`.
603    fn run_code(
604        self,
605        code: &CStr,
606        start: c_int,
607        globals: Option<&Bound<'py, PyDict>>,
608        locals: Option<&Bound<'py, PyDict>>,
609    ) -> PyResult<Bound<'py, PyAny>> {
610        let mptr = unsafe {
611            ffi::compat::PyImport_AddModuleRef(ffi::c_str!("__main__").as_ptr())
612                .assume_owned_or_err(self)?
613        };
614        let attr = mptr.getattr(crate::intern!(self, "__dict__"))?;
615        let globals = match globals {
616            Some(globals) => globals,
617            None => attr.downcast::<PyDict>()?,
618        };
619        let locals = locals.unwrap_or(globals);
620
621        // If `globals` don't provide `__builtins__`, most of the code will fail if Python
622        // version is <3.10. That's probably not what user intended, so insert `__builtins__`
623        // for them.
624        //
625        // See also:
626        // - https://github.com/python/cpython/pull/24564 (the same fix in CPython 3.10)
627        // - https://github.com/PyO3/pyo3/issues/3370
628        let builtins_s = crate::intern!(self, "__builtins__");
629        let has_builtins = globals.contains(builtins_s)?;
630        if !has_builtins {
631            crate::sync::with_critical_section(globals, || {
632                // check if another thread set __builtins__ while this thread was blocked on the critical section
633                let has_builtins = globals.contains(builtins_s)?;
634                if !has_builtins {
635                    // Inherit current builtins.
636                    let builtins = unsafe { ffi::PyEval_GetBuiltins() };
637
638                    // `PyDict_SetItem` doesn't take ownership of `builtins`, but `PyEval_GetBuiltins`
639                    // seems to return a borrowed reference, so no leak here.
640                    if unsafe {
641                        ffi::PyDict_SetItem(globals.as_ptr(), builtins_s.as_ptr(), builtins)
642                    } == -1
643                    {
644                        return Err(PyErr::fetch(self));
645                    }
646                }
647                Ok(())
648            })?;
649        }
650
651        let code_obj = unsafe {
652            ffi::Py_CompileString(code.as_ptr(), ffi::c_str!("<string>").as_ptr(), start)
653                .assume_owned_or_err(self)?
654        };
655
656        unsafe {
657            ffi::PyEval_EvalCode(code_obj.as_ptr(), globals.as_ptr(), locals.as_ptr())
658                .assume_owned_or_err(self)
659                .downcast_into_unchecked()
660        }
661    }
662
663    /// Gets the Python type object for type `T`.
664    #[inline]
665    pub fn get_type<T>(self) -> Bound<'py, PyType>
666    where
667        T: PyTypeInfo,
668    {
669        T::type_object(self)
670    }
671
672    /// Imports the Python module with the specified name.
673    pub fn import<N>(self, name: N) -> PyResult<Bound<'py, PyModule>>
674    where
675        N: IntoPyObject<'py, Target = PyString>,
676    {
677        PyModule::import(self, name)
678    }
679
680    /// Gets the Python builtin value `None`.
681    #[allow(non_snake_case)] // the Python keyword starts with uppercase
682    #[inline]
683    pub fn None(self) -> PyObject {
684        PyNone::get(self).to_owned().into_any().unbind()
685    }
686
687    /// Gets the Python builtin value `Ellipsis`, or `...`.
688    #[allow(non_snake_case)] // the Python keyword starts with uppercase
689    #[inline]
690    pub fn Ellipsis(self) -> PyObject {
691        PyEllipsis::get(self).to_owned().into_any().unbind()
692    }
693
694    /// Gets the Python builtin value `NotImplemented`.
695    #[allow(non_snake_case)] // the Python keyword starts with uppercase
696    #[inline]
697    pub fn NotImplemented(self) -> PyObject {
698        PyNotImplemented::get(self).to_owned().into_any().unbind()
699    }
700
701    /// Gets the running Python interpreter version as a string.
702    ///
703    /// # Examples
704    /// ```rust
705    /// # use pyo3::Python;
706    /// Python::with_gil(|py| {
707    ///     // The full string could be, for example:
708    ///     // "3.10.0 (tags/v3.10.0:b494f59, Oct  4 2021, 19:00:18) [MSC v.1929 64 bit (AMD64)]"
709    ///     assert!(py.version().starts_with("3."));
710    /// });
711    /// ```
712    pub fn version(self) -> &'py str {
713        unsafe {
714            CStr::from_ptr(ffi::Py_GetVersion())
715                .to_str()
716                .expect("Python version string not UTF-8")
717        }
718    }
719
720    /// Gets the running Python interpreter version as a struct similar to
721    /// `sys.version_info`.
722    ///
723    /// # Examples
724    /// ```rust
725    /// # use pyo3::Python;
726    /// Python::with_gil(|py| {
727    ///     // PyO3 supports Python 3.7 and up.
728    ///     assert!(py.version_info() >= (3, 7));
729    ///     assert!(py.version_info() >= (3, 7, 0));
730    /// });
731    /// ```
732    pub fn version_info(self) -> PythonVersionInfo<'py> {
733        let version_str = self.version();
734
735        // Portion of the version string returned by Py_GetVersion up to the first space is the
736        // version number.
737        let version_number_str = version_str.split(' ').next().unwrap_or(version_str);
738
739        PythonVersionInfo::from_str(version_number_str).unwrap()
740    }
741
742    /// Lets the Python interpreter check and handle any pending signals. This will invoke the
743    /// corresponding signal handlers registered in Python (if any).
744    ///
745    /// Returns `Err(`[`PyErr`]`)` if any signal handler raises an exception.
746    ///
747    /// These signals include `SIGINT` (normally raised by CTRL + C), which by default raises
748    /// `KeyboardInterrupt`. For this reason it is good practice to call this function regularly
749    /// as part of long-running Rust functions so that users can cancel it.
750    ///
751    /// # Example
752    ///
753    /// ```rust,no_run
754    /// # #![allow(dead_code)] // this example is quite impractical to test
755    /// use pyo3::prelude::*;
756    ///
757    /// # fn main() {
758    /// #[pyfunction]
759    /// fn loop_forever(py: Python<'_>) -> PyResult<()> {
760    ///     loop {
761    ///         // As this loop is infinite it should check for signals every once in a while.
762    ///         // Using `?` causes any `PyErr` (potentially containing `KeyboardInterrupt`)
763    ///         // to break out of the loop.
764    ///         py.check_signals()?;
765    ///
766    ///         // do work here
767    ///         # break Ok(()) // don't actually loop forever
768    ///     }
769    /// }
770    /// # }
771    /// ```
772    ///
773    /// # Note
774    ///
775    /// This function calls [`PyErr_CheckSignals()`][1] which in turn may call signal handlers.
776    /// As Python's [`signal`][2] API allows users to define custom signal handlers, calling this
777    /// function allows arbitrary Python code inside signal handlers to run.
778    ///
779    /// If the function is called from a non-main thread, or under a non-main Python interpreter,
780    /// it does nothing yet still returns `Ok(())`.
781    ///
782    /// [1]: https://docs.python.org/3/c-api/exceptions.html?highlight=pyerr_checksignals#c.PyErr_CheckSignals
783    /// [2]: https://docs.python.org/3/library/signal.html
784    pub fn check_signals(self) -> PyResult<()> {
785        err::error_on_minusone(self, unsafe { ffi::PyErr_CheckSignals() })
786    }
787}
788
789impl<'unbound> Python<'unbound> {
790    /// Unsafely creates a Python token with an unbounded lifetime.
791    ///
792    /// Many of PyO3 APIs use `Python<'_>` as proof that the GIL is held, but this function can be
793    /// used to call them unsafely.
794    ///
795    /// # Safety
796    ///
797    /// - This token and any borrowed Python references derived from it can only be safely used
798    ///   whilst the currently executing thread is actually holding the GIL.
799    /// - This function creates a token with an *unbounded* lifetime. Safe code can assume that
800    ///   holding a `Python<'py>` token means the GIL is and stays acquired for the lifetime `'py`.
801    ///   If you let it or borrowed Python references escape to safe code you are
802    ///   responsible for bounding the lifetime `'unbound` appropriately. For more on unbounded
803    ///   lifetimes, see the [nomicon].
804    ///
805    /// [nomicon]: https://doc.rust-lang.org/nomicon/unbounded-lifetimes.html
806    #[inline]
807    pub unsafe fn assume_gil_acquired() -> Python<'unbound> {
808        Python(PhantomData)
809    }
810}
811
812#[cfg(test)]
813mod tests {
814    use super::*;
815    use crate::types::{IntoPyDict, PyList};
816
817    #[test]
818    fn test_eval() {
819        Python::with_gil(|py| {
820            // Make sure builtin names are accessible
821            let v: i32 = py
822                .eval(ffi::c_str!("min(1, 2)"), None, None)
823                .map_err(|e| e.display(py))
824                .unwrap()
825                .extract()
826                .unwrap();
827            assert_eq!(v, 1);
828
829            let d = [("foo", 13)].into_py_dict(py).unwrap();
830
831            // Inject our own global namespace
832            let v: i32 = py
833                .eval(ffi::c_str!("foo + 29"), Some(&d), None)
834                .unwrap()
835                .extract()
836                .unwrap();
837            assert_eq!(v, 42);
838
839            // Inject our own local namespace
840            let v: i32 = py
841                .eval(ffi::c_str!("foo + 29"), None, Some(&d))
842                .unwrap()
843                .extract()
844                .unwrap();
845            assert_eq!(v, 42);
846
847            // Make sure builtin names are still accessible when using a local namespace
848            let v: i32 = py
849                .eval(ffi::c_str!("min(foo, 2)"), None, Some(&d))
850                .unwrap()
851                .extract()
852                .unwrap();
853            assert_eq!(v, 2);
854        });
855    }
856
857    #[test]
858    #[cfg(not(target_arch = "wasm32"))] // We are building wasm Python with pthreads disabled
859    fn test_allow_threads_releases_and_acquires_gil() {
860        Python::with_gil(|py| {
861            let b = std::sync::Arc::new(std::sync::Barrier::new(2));
862
863            let b2 = b.clone();
864            std::thread::spawn(move || Python::with_gil(|_| b2.wait()));
865
866            py.allow_threads(|| {
867                // If allow_threads does not release the GIL, this will deadlock because
868                // the thread spawned above will never be able to acquire the GIL.
869                b.wait();
870            });
871
872            unsafe {
873                // If the GIL is not reacquired at the end of allow_threads, this call
874                // will crash the Python interpreter.
875                let tstate = ffi::PyEval_SaveThread();
876                ffi::PyEval_RestoreThread(tstate);
877            }
878        });
879    }
880
881    #[test]
882    fn test_allow_threads_panics_safely() {
883        Python::with_gil(|py| {
884            let result = std::panic::catch_unwind(|| unsafe {
885                let py = Python::assume_gil_acquired();
886                py.allow_threads(|| {
887                    panic!("There was a panic!");
888                });
889            });
890
891            // Check panic was caught
892            assert!(result.is_err());
893
894            // If allow_threads is implemented correctly, this thread still owns the GIL here
895            // so the following Python calls should not cause crashes.
896            let list = PyList::new(py, [1, 2, 3, 4]).unwrap();
897            assert_eq!(list.extract::<Vec<i32>>().unwrap(), vec![1, 2, 3, 4]);
898        });
899    }
900
901    #[cfg(not(pyo3_disable_reference_pool))]
902    #[test]
903    fn test_allow_threads_pass_stuff_in() {
904        let list = Python::with_gil(|py| PyList::new(py, vec!["foo", "bar"]).unwrap().unbind());
905        let mut v = vec![1, 2, 3];
906        let a = std::sync::Arc::new(String::from("foo"));
907
908        Python::with_gil(|py| {
909            py.allow_threads(|| {
910                drop((list, &mut v, a));
911            });
912        });
913    }
914
915    #[test]
916    #[cfg(not(Py_LIMITED_API))]
917    fn test_acquire_gil() {
918        const GIL_NOT_HELD: c_int = 0;
919        const GIL_HELD: c_int = 1;
920
921        // Before starting the interpreter the state of calling `PyGILState_Check`
922        // seems to be undefined, so let's ensure that Python is up.
923        #[cfg(not(any(PyPy, GraalPy)))]
924        crate::prepare_freethreaded_python();
925
926        let state = unsafe { crate::ffi::PyGILState_Check() };
927        assert_eq!(state, GIL_NOT_HELD);
928
929        Python::with_gil(|_| {
930            let state = unsafe { crate::ffi::PyGILState_Check() };
931            assert_eq!(state, GIL_HELD);
932        });
933
934        let state = unsafe { crate::ffi::PyGILState_Check() };
935        assert_eq!(state, GIL_NOT_HELD);
936    }
937
938    #[test]
939    fn test_ellipsis() {
940        Python::with_gil(|py| {
941            assert_eq!(py.Ellipsis().to_string(), "Ellipsis");
942
943            let v = py
944                .eval(ffi::c_str!("..."), None, None)
945                .map_err(|e| e.display(py))
946                .unwrap();
947
948            assert!(v.eq(py.Ellipsis()).unwrap());
949        });
950    }
951
952    #[test]
953    fn test_py_run_inserts_globals() {
954        use crate::types::dict::PyDictMethods;
955
956        Python::with_gil(|py| {
957            let namespace = PyDict::new(py);
958            py.run(
959                ffi::c_str!("class Foo: pass\na = int(3)"),
960                Some(&namespace),
961                Some(&namespace),
962            )
963            .unwrap();
964            assert!(matches!(namespace.get_item("Foo"), Ok(Some(..))));
965            assert!(matches!(namespace.get_item("a"), Ok(Some(..))));
966            // 3.9 and older did not automatically insert __builtins__ if it wasn't inserted "by hand"
967            #[cfg(not(Py_3_10))]
968            assert!(matches!(namespace.get_item("__builtins__"), Ok(Some(..))));
969        })
970    }
971
972    #[cfg(feature = "macros")]
973    #[test]
974    fn test_py_run_inserts_globals_2() {
975        use std::ffi::CString;
976
977        #[crate::pyclass(crate = "crate")]
978        #[derive(Clone)]
979        struct CodeRunner {
980            code: CString,
981        }
982
983        impl CodeRunner {
984            fn reproducer(&mut self, py: Python<'_>) -> PyResult<()> {
985                let variables = PyDict::new(py);
986                variables.set_item("cls", crate::Py::new(py, self.clone())?)?;
987
988                py.run(self.code.as_c_str(), Some(&variables), None)?;
989                Ok(())
990            }
991        }
992
993        #[crate::pymethods(crate = "crate")]
994        impl CodeRunner {
995            fn func(&mut self, py: Python<'_>) -> PyResult<()> {
996                py.import("math")?;
997                Ok(())
998            }
999        }
1000
1001        let mut runner = CodeRunner {
1002            code: CString::new(
1003                r#"
1004cls.func()
1005"#
1006                .to_string(),
1007            )
1008            .unwrap(),
1009        };
1010
1011        Python::with_gil(|py| {
1012            runner.reproducer(py).unwrap();
1013        });
1014    }
1015}
⚠️ Internal Docs ⚠️ Not Public API 👉 Official Docs Here