pyo3/types/
any.rs

1use crate::call::PyCallArgs;
2use crate::class::basic::CompareOp;
3use crate::conversion::{AsPyPointer, FromPyObjectBound, IntoPyObject};
4use crate::err::{DowncastError, DowncastIntoError, PyErr, PyResult};
5use crate::exceptions::{PyAttributeError, PyTypeError};
6use crate::ffi_ptr_ext::FfiPtrExt;
7use crate::instance::Bound;
8use crate::internal::get_slot::TP_DESCR_GET;
9use crate::internal_tricks::ptr_from_ref;
10use crate::py_result_ext::PyResultExt;
11use crate::type_object::{PyTypeCheck, PyTypeInfo};
12#[cfg(not(any(PyPy, GraalPy)))]
13use crate::types::PySuper;
14use crate::types::{PyDict, PyIterator, PyList, PyString, PyType};
15use crate::{err, ffi, Borrowed, BoundObject, IntoPyObjectExt, Python};
16use std::cell::UnsafeCell;
17use std::cmp::Ordering;
18use std::os::raw::c_int;
19
20/// Represents any Python object.
21///
22/// Values of this type are accessed via PyO3's smart pointers, e.g. as
23/// [`Py<PyAny>`][crate::Py] or [`Bound<'py, PyAny>`][Bound].
24///
25/// For APIs available on all Python objects, see the [`PyAnyMethods`] trait which is implemented for
26/// [`Bound<'py, PyAny>`][Bound].
27///
28/// See
29#[doc = concat!("[the guide](https://pyo3.rs/v", env!("CARGO_PKG_VERSION"), "/types.html#concrete-python-types)")]
30/// for an explanation of the different Python object types.
31#[repr(transparent)]
32pub struct PyAny(UnsafeCell<ffi::PyObject>);
33
34#[allow(non_snake_case)]
35// Copied here as the macro does not accept deprecated functions.
36// Originally ffi::object::PyObject_Check, but this is not in the Python C API.
37fn PyObject_Check(_: *mut ffi::PyObject) -> c_int {
38    1
39}
40
41pyobject_native_type_info!(
42    PyAny,
43    pyobject_native_static_type_object!(ffi::PyBaseObject_Type),
44    Some("builtins"),
45    #checkfunction=PyObject_Check
46);
47
48pyobject_native_type_sized!(PyAny, ffi::PyObject);
49// We cannot use `pyobject_subclassable_native_type!()` because it cfgs out on `Py_LIMITED_API`.
50impl crate::impl_::pyclass::PyClassBaseType for PyAny {
51    type LayoutAsBase = crate::impl_::pycell::PyClassObjectBase<ffi::PyObject>;
52    type BaseNativeType = PyAny;
53    type Initializer = crate::impl_::pyclass_init::PyNativeTypeInitializer<Self>;
54    type PyClassMutability = crate::pycell::impl_::ImmutableClass;
55}
56
57/// This trait represents the Python APIs which are usable on all Python objects.
58///
59/// It is recommended you import this trait via `use pyo3::prelude::*` rather than
60/// by importing this trait directly.
61#[doc(alias = "PyAny")]
62pub trait PyAnyMethods<'py>: crate::sealed::Sealed {
63    /// Returns whether `self` and `other` point to the same object. To compare
64    /// the equality of two objects (the `==` operator), use [`eq`](PyAnyMethods::eq).
65    ///
66    /// This is equivalent to the Python expression `self is other`.
67    fn is<T: AsPyPointer>(&self, other: &T) -> bool;
68
69    /// Determines whether this object has the given attribute.
70    ///
71    /// This is equivalent to the Python expression `hasattr(self, attr_name)`.
72    ///
73    /// To avoid repeated temporary allocations of Python strings, the [`intern!`] macro can be used
74    /// to intern `attr_name`.
75    ///
76    /// # Example: `intern!`ing the attribute name
77    ///
78    /// ```
79    /// # use pyo3::{prelude::*, intern};
80    /// #
81    /// #[pyfunction]
82    /// fn has_version(sys: &Bound<'_, PyModule>) -> PyResult<bool> {
83    ///     sys.hasattr(intern!(sys.py(), "version"))
84    /// }
85    /// #
86    /// # Python::with_gil(|py| {
87    /// #    let sys = py.import("sys").unwrap();
88    /// #    has_version(&sys).unwrap();
89    /// # });
90    /// ```
91    fn hasattr<N>(&self, attr_name: N) -> PyResult<bool>
92    where
93        N: IntoPyObject<'py, Target = PyString>;
94
95    /// Retrieves an attribute value.
96    ///
97    /// This is equivalent to the Python expression `self.attr_name`.
98    ///
99    /// To avoid repeated temporary allocations of Python strings, the [`intern!`] macro can be used
100    /// to intern `attr_name`.
101    ///
102    /// # Example: `intern!`ing the attribute name
103    ///
104    /// ```
105    /// # use pyo3::{prelude::*, intern};
106    /// #
107    /// #[pyfunction]
108    /// fn version<'py>(sys: &Bound<'py, PyModule>) -> PyResult<Bound<'py, PyAny>> {
109    ///     sys.getattr(intern!(sys.py(), "version"))
110    /// }
111    /// #
112    /// # Python::with_gil(|py| {
113    /// #    let sys = py.import("sys").unwrap();
114    /// #    version(&sys).unwrap();
115    /// # });
116    /// ```
117    fn getattr<N>(&self, attr_name: N) -> PyResult<Bound<'py, PyAny>>
118    where
119        N: IntoPyObject<'py, Target = PyString>;
120
121    /// Retrieves an attribute value optionally.
122    ///
123    /// This is equivalent to the Python expression `getattr(self, attr_name, None)`, which may
124    /// be more efficient in some cases by simply returning `None` if the attribute is not found
125    /// instead of raising `AttributeError`.
126    ///
127    /// To avoid repeated temporary allocations of Python strings, the [`intern!`] macro can be used
128    /// to intern `attr_name`.
129    ///
130    /// # Errors
131    /// Returns `Err` if an exception other than `AttributeError` is raised during attribute lookup,
132    /// such as a `ValueError` from a property or descriptor.
133    ///
134    /// # Example: Retrieving an optional attribute
135    /// ```
136    /// # use pyo3::{prelude::*, intern};
137    /// #
138    /// #[pyfunction]
139    /// fn get_version_if_exists<'py>(sys: &Bound<'py, PyModule>) -> PyResult<Option<Bound<'py, PyAny>>> {
140    ///     sys.getattr_opt(intern!(sys.py(), "version"))
141    /// }
142    /// #
143    /// # Python::with_gil(|py| {
144    /// #    let sys = py.import("sys").unwrap();
145    /// #    let version = get_version_if_exists(&sys).unwrap();
146    /// #    assert!(version.is_some());
147    /// # });
148    /// ```
149    fn getattr_opt<N>(&self, attr_name: N) -> PyResult<Option<Bound<'py, PyAny>>>
150    where
151        N: IntoPyObject<'py, Target = PyString>;
152
153    /// Sets an attribute value.
154    ///
155    /// This is equivalent to the Python expression `self.attr_name = value`.
156    ///
157    /// To avoid repeated temporary allocations of Python strings, the [`intern!`] macro can be used
158    /// to intern `name`.
159    ///
160    /// # Example: `intern!`ing the attribute name
161    ///
162    /// ```
163    /// # use pyo3::{prelude::*, intern};
164    /// #
165    /// #[pyfunction]
166    /// fn set_answer(ob: &Bound<'_, PyAny>) -> PyResult<()> {
167    ///     ob.setattr(intern!(ob.py(), "answer"), 42)
168    /// }
169    /// #
170    /// # Python::with_gil(|py| {
171    /// #    let ob = PyModule::new(py, "empty").unwrap();
172    /// #    set_answer(&ob).unwrap();
173    /// # });
174    /// ```
175    fn setattr<N, V>(&self, attr_name: N, value: V) -> PyResult<()>
176    where
177        N: IntoPyObject<'py, Target = PyString>,
178        V: IntoPyObject<'py>;
179
180    /// Deletes an attribute.
181    ///
182    /// This is equivalent to the Python statement `del self.attr_name`.
183    ///
184    /// To avoid repeated temporary allocations of Python strings, the [`intern!`] macro can be used
185    /// to intern `attr_name`.
186    fn delattr<N>(&self, attr_name: N) -> PyResult<()>
187    where
188        N: IntoPyObject<'py, Target = PyString>;
189
190    /// Returns an [`Ordering`] between `self` and `other`.
191    ///
192    /// This is equivalent to the following Python code:
193    /// ```python
194    /// if self == other:
195    ///     return Equal
196    /// elif a < b:
197    ///     return Less
198    /// elif a > b:
199    ///     return Greater
200    /// else:
201    ///     raise TypeError("PyAny::compare(): All comparisons returned false")
202    /// ```
203    ///
204    /// # Examples
205    ///
206    /// ```rust
207    /// use pyo3::prelude::*;
208    /// use pyo3::types::PyFloat;
209    /// use std::cmp::Ordering;
210    ///
211    /// # fn main() -> PyResult<()> {
212    /// Python::with_gil(|py| -> PyResult<()> {
213    ///     let a = PyFloat::new(py, 0_f64);
214    ///     let b = PyFloat::new(py, 42_f64);
215    ///     assert_eq!(a.compare(b)?, Ordering::Less);
216    ///     Ok(())
217    /// })?;
218    /// # Ok(())}
219    /// ```
220    ///
221    /// It will return `PyErr` for values that cannot be compared:
222    ///
223    /// ```rust
224    /// use pyo3::prelude::*;
225    /// use pyo3::types::{PyFloat, PyString};
226    ///
227    /// # fn main() -> PyResult<()> {
228    /// Python::with_gil(|py| -> PyResult<()> {
229    ///     let a = PyFloat::new(py, 0_f64);
230    ///     let b = PyString::new(py, "zero");
231    ///     assert!(a.compare(b).is_err());
232    ///     Ok(())
233    /// })?;
234    /// # Ok(())}
235    /// ```
236    fn compare<O>(&self, other: O) -> PyResult<Ordering>
237    where
238        O: IntoPyObject<'py>;
239
240    /// Tests whether two Python objects obey a given [`CompareOp`].
241    ///
242    /// [`lt`](Self::lt), [`le`](Self::le), [`eq`](Self::eq), [`ne`](Self::ne),
243    /// [`gt`](Self::gt) and [`ge`](Self::ge) are the specialized versions
244    /// of this function.
245    ///
246    /// Depending on the value of `compare_op`, this is equivalent to one of the
247    /// following Python expressions:
248    ///
249    /// | `compare_op` | Python expression |
250    /// | :---: | :----: |
251    /// | [`CompareOp::Eq`] | `self == other` |
252    /// | [`CompareOp::Ne`] | `self != other` |
253    /// | [`CompareOp::Lt`] | `self < other` |
254    /// | [`CompareOp::Le`] | `self <= other` |
255    /// | [`CompareOp::Gt`] | `self > other` |
256    /// | [`CompareOp::Ge`] | `self >= other` |
257    ///
258    /// # Examples
259    ///
260    /// ```rust
261    /// use pyo3::class::basic::CompareOp;
262    /// use pyo3::prelude::*;
263    ///
264    /// # fn main() -> PyResult<()> {
265    /// Python::with_gil(|py| -> PyResult<()> {
266    ///     let a = 0_u8.into_pyobject(py)?;
267    ///     let b = 42_u8.into_pyobject(py)?;
268    ///     assert!(a.rich_compare(b, CompareOp::Le)?.is_truthy()?);
269    ///     Ok(())
270    /// })?;
271    /// # Ok(())}
272    /// ```
273    fn rich_compare<O>(&self, other: O, compare_op: CompareOp) -> PyResult<Bound<'py, PyAny>>
274    where
275        O: IntoPyObject<'py>;
276
277    /// Computes the negative of self.
278    ///
279    /// Equivalent to the Python expression `-self`.
280    fn neg(&self) -> PyResult<Bound<'py, PyAny>>;
281
282    /// Computes the positive of self.
283    ///
284    /// Equivalent to the Python expression `+self`.
285    fn pos(&self) -> PyResult<Bound<'py, PyAny>>;
286
287    /// Computes the absolute of self.
288    ///
289    /// Equivalent to the Python expression `abs(self)`.
290    fn abs(&self) -> PyResult<Bound<'py, PyAny>>;
291
292    /// Computes `~self`.
293    fn bitnot(&self) -> PyResult<Bound<'py, PyAny>>;
294
295    /// Tests whether this object is less than another.
296    ///
297    /// This is equivalent to the Python expression `self < other`.
298    fn lt<O>(&self, other: O) -> PyResult<bool>
299    where
300        O: IntoPyObject<'py>;
301
302    /// Tests whether this object is less than or equal to another.
303    ///
304    /// This is equivalent to the Python expression `self <= other`.
305    fn le<O>(&self, other: O) -> PyResult<bool>
306    where
307        O: IntoPyObject<'py>;
308
309    /// Tests whether this object is equal to another.
310    ///
311    /// This is equivalent to the Python expression `self == other`.
312    fn eq<O>(&self, other: O) -> PyResult<bool>
313    where
314        O: IntoPyObject<'py>;
315
316    /// Tests whether this object is not equal to another.
317    ///
318    /// This is equivalent to the Python expression `self != other`.
319    fn ne<O>(&self, other: O) -> PyResult<bool>
320    where
321        O: IntoPyObject<'py>;
322
323    /// Tests whether this object is greater than another.
324    ///
325    /// This is equivalent to the Python expression `self > other`.
326    fn gt<O>(&self, other: O) -> PyResult<bool>
327    where
328        O: IntoPyObject<'py>;
329
330    /// Tests whether this object is greater than or equal to another.
331    ///
332    /// This is equivalent to the Python expression `self >= other`.
333    fn ge<O>(&self, other: O) -> PyResult<bool>
334    where
335        O: IntoPyObject<'py>;
336
337    /// Computes `self + other`.
338    fn add<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
339    where
340        O: IntoPyObject<'py>;
341
342    /// Computes `self - other`.
343    fn sub<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
344    where
345        O: IntoPyObject<'py>;
346
347    /// Computes `self * other`.
348    fn mul<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
349    where
350        O: IntoPyObject<'py>;
351
352    /// Computes `self @ other`.
353    fn matmul<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
354    where
355        O: IntoPyObject<'py>;
356
357    /// Computes `self / other`.
358    fn div<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
359    where
360        O: IntoPyObject<'py>;
361
362    /// Computes `self // other`.
363    fn floor_div<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
364    where
365        O: IntoPyObject<'py>;
366
367    /// Computes `self % other`.
368    fn rem<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
369    where
370        O: IntoPyObject<'py>;
371
372    /// Computes `divmod(self, other)`.
373    fn divmod<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
374    where
375        O: IntoPyObject<'py>;
376
377    /// Computes `self << other`.
378    fn lshift<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
379    where
380        O: IntoPyObject<'py>;
381
382    /// Computes `self >> other`.
383    fn rshift<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
384    where
385        O: IntoPyObject<'py>;
386
387    /// Computes `self ** other % modulus` (`pow(self, other, modulus)`).
388    /// `py.None()` may be passed for the `modulus`.
389    fn pow<O1, O2>(&self, other: O1, modulus: O2) -> PyResult<Bound<'py, PyAny>>
390    where
391        O1: IntoPyObject<'py>,
392        O2: IntoPyObject<'py>;
393
394    /// Computes `self & other`.
395    fn bitand<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
396    where
397        O: IntoPyObject<'py>;
398
399    /// Computes `self | other`.
400    fn bitor<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
401    where
402        O: IntoPyObject<'py>;
403
404    /// Computes `self ^ other`.
405    fn bitxor<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
406    where
407        O: IntoPyObject<'py>;
408
409    /// Determines whether this object appears callable.
410    ///
411    /// This is equivalent to Python's [`callable()`][1] function.
412    ///
413    /// # Examples
414    ///
415    /// ```rust
416    /// use pyo3::prelude::*;
417    ///
418    /// # fn main() -> PyResult<()> {
419    /// Python::with_gil(|py| -> PyResult<()> {
420    ///     let builtins = PyModule::import(py, "builtins")?;
421    ///     let print = builtins.getattr("print")?;
422    ///     assert!(print.is_callable());
423    ///     Ok(())
424    /// })?;
425    /// # Ok(())}
426    /// ```
427    ///
428    /// This is equivalent to the Python statement `assert callable(print)`.
429    ///
430    /// Note that unless an API needs to distinguish between callable and
431    /// non-callable objects, there is no point in checking for callability.
432    /// Instead, it is better to just do the call and handle potential
433    /// exceptions.
434    ///
435    /// [1]: https://docs.python.org/3/library/functions.html#callable
436    fn is_callable(&self) -> bool;
437
438    /// Calls the object.
439    ///
440    /// This is equivalent to the Python expression `self(*args, **kwargs)`.
441    ///
442    /// # Examples
443    ///
444    /// ```rust
445    /// use pyo3::prelude::*;
446    /// use pyo3::types::PyDict;
447    /// use pyo3_ffi::c_str;
448    /// use std::ffi::CStr;
449    ///
450    /// const CODE: &CStr = c_str!(r#"
451    /// def function(*args, **kwargs):
452    ///     assert args == ("hello",)
453    ///     assert kwargs == {"cruel": "world"}
454    ///     return "called with args and kwargs"
455    /// "#);
456    ///
457    /// # fn main() -> PyResult<()> {
458    /// Python::with_gil(|py| {
459    ///     let module = PyModule::from_code(py, CODE, c_str!(""), c_str!(""))?;
460    ///     let fun = module.getattr("function")?;
461    ///     let args = ("hello",);
462    ///     let kwargs = PyDict::new(py);
463    ///     kwargs.set_item("cruel", "world")?;
464    ///     let result = fun.call(args, Some(&kwargs))?;
465    ///     assert_eq!(result.extract::<String>()?, "called with args and kwargs");
466    ///     Ok(())
467    /// })
468    /// # }
469    /// ```
470    fn call<A>(&self, args: A, kwargs: Option<&Bound<'py, PyDict>>) -> PyResult<Bound<'py, PyAny>>
471    where
472        A: PyCallArgs<'py>;
473
474    /// Calls the object without arguments.
475    ///
476    /// This is equivalent to the Python expression `self()`.
477    ///
478    /// # Examples
479    ///
480    /// ```no_run
481    /// use pyo3::prelude::*;
482    ///
483    /// # fn main() -> PyResult<()> {
484    /// Python::with_gil(|py| -> PyResult<()> {
485    ///     let module = PyModule::import(py, "builtins")?;
486    ///     let help = module.getattr("help")?;
487    ///     help.call0()?;
488    ///     Ok(())
489    /// })?;
490    /// # Ok(())}
491    /// ```
492    ///
493    /// This is equivalent to the Python expression `help()`.
494    fn call0(&self) -> PyResult<Bound<'py, PyAny>>;
495
496    /// Calls the object with only positional arguments.
497    ///
498    /// This is equivalent to the Python expression `self(*args)`.
499    ///
500    /// # Examples
501    ///
502    /// ```rust
503    /// use pyo3::prelude::*;
504    /// use pyo3_ffi::c_str;
505    /// use std::ffi::CStr;
506    ///
507    /// const CODE: &CStr = c_str!(r#"
508    /// def function(*args, **kwargs):
509    ///     assert args == ("hello",)
510    ///     assert kwargs == {}
511    ///     return "called with args"
512    /// "#);
513    ///
514    /// # fn main() -> PyResult<()> {
515    /// Python::with_gil(|py| {
516    ///     let module = PyModule::from_code(py, CODE, c_str!(""), c_str!(""))?;
517    ///     let fun = module.getattr("function")?;
518    ///     let args = ("hello",);
519    ///     let result = fun.call1(args)?;
520    ///     assert_eq!(result.extract::<String>()?, "called with args");
521    ///     Ok(())
522    /// })
523    /// # }
524    /// ```
525    fn call1<A>(&self, args: A) -> PyResult<Bound<'py, PyAny>>
526    where
527        A: PyCallArgs<'py>;
528
529    /// Calls a method on the object.
530    ///
531    /// This is equivalent to the Python expression `self.name(*args, **kwargs)`.
532    ///
533    /// To avoid repeated temporary allocations of Python strings, the [`intern!`] macro can be used
534    /// to intern `name`.
535    ///
536    /// # Examples
537    ///
538    /// ```rust
539    /// use pyo3::prelude::*;
540    /// use pyo3::types::PyDict;
541    /// use pyo3_ffi::c_str;
542    /// use std::ffi::CStr;
543    ///
544    /// const CODE: &CStr = c_str!(r#"
545    /// class A:
546    ///     def method(self, *args, **kwargs):
547    ///         assert args == ("hello",)
548    ///         assert kwargs == {"cruel": "world"}
549    ///         return "called with args and kwargs"
550    /// a = A()
551    /// "#);
552    ///
553    /// # fn main() -> PyResult<()> {
554    /// Python::with_gil(|py| {
555    ///     let module = PyModule::from_code(py, CODE, c_str!(""), c_str!(""))?;
556    ///     let instance = module.getattr("a")?;
557    ///     let args = ("hello",);
558    ///     let kwargs = PyDict::new(py);
559    ///     kwargs.set_item("cruel", "world")?;
560    ///     let result = instance.call_method("method", args, Some(&kwargs))?;
561    ///     assert_eq!(result.extract::<String>()?, "called with args and kwargs");
562    ///     Ok(())
563    /// })
564    /// # }
565    /// ```
566    fn call_method<N, A>(
567        &self,
568        name: N,
569        args: A,
570        kwargs: Option<&Bound<'py, PyDict>>,
571    ) -> PyResult<Bound<'py, PyAny>>
572    where
573        N: IntoPyObject<'py, Target = PyString>,
574        A: PyCallArgs<'py>;
575
576    /// Calls a method on the object without arguments.
577    ///
578    /// This is equivalent to the Python expression `self.name()`.
579    ///
580    /// To avoid repeated temporary allocations of Python strings, the [`intern!`] macro can be used
581    /// to intern `name`.
582    ///
583    /// # Examples
584    ///
585    /// ```rust
586    /// use pyo3::prelude::*;
587    /// use pyo3_ffi::c_str;
588    /// use std::ffi::CStr;
589    ///
590    /// const CODE: &CStr = c_str!(r#"
591    /// class A:
592    ///     def method(self, *args, **kwargs):
593    ///         assert args == ()
594    ///         assert kwargs == {}
595    ///         return "called with no arguments"
596    /// a = A()
597    /// "#);
598    ///
599    /// # fn main() -> PyResult<()> {
600    /// Python::with_gil(|py| {
601    ///     let module = PyModule::from_code(py, CODE, c_str!(""), c_str!(""))?;
602    ///     let instance = module.getattr("a")?;
603    ///     let result = instance.call_method0("method")?;
604    ///     assert_eq!(result.extract::<String>()?, "called with no arguments");
605    ///     Ok(())
606    /// })
607    /// # }
608    /// ```
609    fn call_method0<N>(&self, name: N) -> PyResult<Bound<'py, PyAny>>
610    where
611        N: IntoPyObject<'py, Target = PyString>;
612
613    /// Calls a method on the object with only positional arguments.
614    ///
615    /// This is equivalent to the Python expression `self.name(*args)`.
616    ///
617    /// To avoid repeated temporary allocations of Python strings, the [`intern!`] macro can be used
618    /// to intern `name`.
619    ///
620    /// # Examples
621    ///
622    /// ```rust
623    /// use pyo3::prelude::*;
624    /// use pyo3_ffi::c_str;
625    /// use std::ffi::CStr;
626    ///
627    /// const CODE: &CStr = c_str!(r#"
628    /// class A:
629    ///     def method(self, *args, **kwargs):
630    ///         assert args == ("hello",)
631    ///         assert kwargs == {}
632    ///         return "called with args"
633    /// a = A()
634    /// "#);
635    ///
636    /// # fn main() -> PyResult<()> {
637    /// Python::with_gil(|py| {
638    ///     let module = PyModule::from_code(py, CODE, c_str!(""), c_str!(""))?;
639    ///     let instance = module.getattr("a")?;
640    ///     let args = ("hello",);
641    ///     let result = instance.call_method1("method", args)?;
642    ///     assert_eq!(result.extract::<String>()?, "called with args");
643    ///     Ok(())
644    /// })
645    /// # }
646    /// ```
647    fn call_method1<N, A>(&self, name: N, args: A) -> PyResult<Bound<'py, PyAny>>
648    where
649        N: IntoPyObject<'py, Target = PyString>,
650        A: PyCallArgs<'py>;
651
652    /// Returns whether the object is considered to be true.
653    ///
654    /// This is equivalent to the Python expression `bool(self)`.
655    fn is_truthy(&self) -> PyResult<bool>;
656
657    /// Returns whether the object is considered to be None.
658    ///
659    /// This is equivalent to the Python expression `self is None`.
660    fn is_none(&self) -> bool;
661
662    /// Returns true if the sequence or mapping has a length of 0.
663    ///
664    /// This is equivalent to the Python expression `len(self) == 0`.
665    fn is_empty(&self) -> PyResult<bool>;
666
667    /// Gets an item from the collection.
668    ///
669    /// This is equivalent to the Python expression `self[key]`.
670    fn get_item<K>(&self, key: K) -> PyResult<Bound<'py, PyAny>>
671    where
672        K: IntoPyObject<'py>;
673
674    /// Sets a collection item value.
675    ///
676    /// This is equivalent to the Python expression `self[key] = value`.
677    fn set_item<K, V>(&self, key: K, value: V) -> PyResult<()>
678    where
679        K: IntoPyObject<'py>,
680        V: IntoPyObject<'py>;
681
682    /// Deletes an item from the collection.
683    ///
684    /// This is equivalent to the Python expression `del self[key]`.
685    fn del_item<K>(&self, key: K) -> PyResult<()>
686    where
687        K: IntoPyObject<'py>;
688
689    /// Takes an object and returns an iterator for it. Returns an error if the object is not
690    /// iterable.
691    ///
692    /// This is typically a new iterator but if the argument is an iterator,
693    /// this returns itself.
694    ///
695    /// # Example: Checking a Python object for iterability
696    ///
697    /// ```rust
698    /// use pyo3::prelude::*;
699    /// use pyo3::types::{PyAny, PyNone};
700    ///
701    /// fn is_iterable(obj: &Bound<'_, PyAny>) -> bool {
702    ///     match obj.try_iter() {
703    ///         Ok(_) => true,
704    ///         Err(_) => false,
705    ///     }
706    /// }
707    ///
708    /// Python::with_gil(|py| {
709    ///     assert!(is_iterable(&vec![1, 2, 3].into_pyobject(py).unwrap()));
710    ///     assert!(!is_iterable(&PyNone::get(py)));
711    /// });
712    /// ```
713    fn try_iter(&self) -> PyResult<Bound<'py, PyIterator>>;
714
715    /// Returns the Python type object for this object's type.
716    fn get_type(&self) -> Bound<'py, PyType>;
717
718    /// Returns the Python type pointer for this object.
719    fn get_type_ptr(&self) -> *mut ffi::PyTypeObject;
720
721    /// Downcast this `PyAny` to a concrete Python type or pyclass.
722    ///
723    /// Note that you can often avoid downcasting yourself by just specifying
724    /// the desired type in function or method signatures.
725    /// However, manual downcasting is sometimes necessary.
726    ///
727    /// For extracting a Rust-only type, see [`PyAny::extract`](struct.PyAny.html#method.extract).
728    ///
729    /// # Example: Downcasting to a specific Python object
730    ///
731    /// ```rust
732    /// use pyo3::prelude::*;
733    /// use pyo3::types::{PyDict, PyList};
734    ///
735    /// Python::with_gil(|py| {
736    ///     let dict = PyDict::new(py);
737    ///     assert!(dict.is_instance_of::<PyAny>());
738    ///     let any = dict.as_any();
739    ///
740    ///     assert!(any.downcast::<PyDict>().is_ok());
741    ///     assert!(any.downcast::<PyList>().is_err());
742    /// });
743    /// ```
744    ///
745    /// # Example: Getting a reference to a pyclass
746    ///
747    /// This is useful if you want to mutate a `PyObject` that
748    /// might actually be a pyclass.
749    ///
750    /// ```rust
751    /// # fn main() -> Result<(), pyo3::PyErr> {
752    /// use pyo3::prelude::*;
753    ///
754    /// #[pyclass]
755    /// struct Class {
756    ///     i: i32,
757    /// }
758    ///
759    /// Python::with_gil(|py| {
760    ///     let class = Py::new(py, Class { i: 0 }).unwrap().into_bound(py).into_any();
761    ///
762    ///     let class_bound: &Bound<'_, Class> = class.downcast()?;
763    ///
764    ///     class_bound.borrow_mut().i += 1;
765    ///
766    ///     // Alternatively you can get a `PyRefMut` directly
767    ///     let class_ref: PyRefMut<'_, Class> = class.extract()?;
768    ///     assert_eq!(class_ref.i, 1);
769    ///     Ok(())
770    /// })
771    /// # }
772    /// ```
773    fn downcast<T>(&self) -> Result<&Bound<'py, T>, DowncastError<'_, 'py>>
774    where
775        T: PyTypeCheck;
776
777    /// Like `downcast` but takes ownership of `self`.
778    ///
779    /// In case of an error, it is possible to retrieve `self` again via [`DowncastIntoError::into_inner`].
780    ///
781    /// # Example
782    ///
783    /// ```rust
784    /// use pyo3::prelude::*;
785    /// use pyo3::types::{PyDict, PyList};
786    ///
787    /// Python::with_gil(|py| {
788    ///     let obj: Bound<'_, PyAny> = PyDict::new(py).into_any();
789    ///
790    ///     let obj: Bound<'_, PyAny> = match obj.downcast_into::<PyList>() {
791    ///         Ok(_) => panic!("obj should not be a list"),
792    ///         Err(err) => err.into_inner(),
793    ///     };
794    ///
795    ///     // obj is a dictionary
796    ///     assert!(obj.downcast_into::<PyDict>().is_ok());
797    /// })
798    /// ```
799    fn downcast_into<T>(self) -> Result<Bound<'py, T>, DowncastIntoError<'py>>
800    where
801        T: PyTypeCheck;
802
803    /// Downcast this `PyAny` to a concrete Python type or pyclass (but not a subclass of it).
804    ///
805    /// It is almost always better to use [`PyAnyMethods::downcast`] because it accounts for Python
806    /// subtyping. Use this method only when you do not want to allow subtypes.
807    ///
808    /// The advantage of this method over [`PyAnyMethods::downcast`] is that it is faster. The implementation
809    /// of `downcast_exact` uses the equivalent of the Python expression `type(self) is T`, whereas
810    /// `downcast` uses `isinstance(self, T)`.
811    ///
812    /// For extracting a Rust-only type, see [`PyAny::extract`](struct.PyAny.html#method.extract).
813    ///
814    /// # Example: Downcasting to a specific Python object but not a subtype
815    ///
816    /// ```rust
817    /// use pyo3::prelude::*;
818    /// use pyo3::types::{PyBool, PyInt};
819    ///
820    /// Python::with_gil(|py| {
821    ///     let b = PyBool::new(py, true);
822    ///     assert!(b.is_instance_of::<PyBool>());
823    ///     let any: &Bound<'_, PyAny> = b.as_any();
824    ///
825    ///     // `bool` is a subtype of `int`, so `downcast` will accept a `bool` as an `int`
826    ///     // but `downcast_exact` will not.
827    ///     assert!(any.downcast::<PyInt>().is_ok());
828    ///     assert!(any.downcast_exact::<PyInt>().is_err());
829    ///
830    ///     assert!(any.downcast_exact::<PyBool>().is_ok());
831    /// });
832    /// ```
833    fn downcast_exact<T>(&self) -> Result<&Bound<'py, T>, DowncastError<'_, 'py>>
834    where
835        T: PyTypeInfo;
836
837    /// Like `downcast_exact` but takes ownership of `self`.
838    fn downcast_into_exact<T>(self) -> Result<Bound<'py, T>, DowncastIntoError<'py>>
839    where
840        T: PyTypeInfo;
841
842    /// Converts this `PyAny` to a concrete Python type without checking validity.
843    ///
844    /// # Safety
845    ///
846    /// Callers must ensure that the type is valid or risk type confusion.
847    unsafe fn downcast_unchecked<T>(&self) -> &Bound<'py, T>;
848
849    /// Like `downcast_unchecked` but takes ownership of `self`.
850    ///
851    /// # Safety
852    ///
853    /// Callers must ensure that the type is valid or risk type confusion.
854    unsafe fn downcast_into_unchecked<T>(self) -> Bound<'py, T>;
855
856    /// Extracts some type from the Python object.
857    ///
858    /// This is a wrapper function around
859    /// [`FromPyObject::extract_bound()`](crate::FromPyObject::extract_bound).
860    fn extract<'a, T>(&'a self) -> PyResult<T>
861    where
862        T: FromPyObjectBound<'a, 'py>;
863
864    /// Returns the reference count for the Python object.
865    fn get_refcnt(&self) -> isize;
866
867    /// Computes the "repr" representation of self.
868    ///
869    /// This is equivalent to the Python expression `repr(self)`.
870    fn repr(&self) -> PyResult<Bound<'py, PyString>>;
871
872    /// Computes the "str" representation of self.
873    ///
874    /// This is equivalent to the Python expression `str(self)`.
875    fn str(&self) -> PyResult<Bound<'py, PyString>>;
876
877    /// Retrieves the hash code of self.
878    ///
879    /// This is equivalent to the Python expression `hash(self)`.
880    fn hash(&self) -> PyResult<isize>;
881
882    /// Returns the length of the sequence or mapping.
883    ///
884    /// This is equivalent to the Python expression `len(self)`.
885    fn len(&self) -> PyResult<usize>;
886
887    /// Returns the list of attributes of this object.
888    ///
889    /// This is equivalent to the Python expression `dir(self)`.
890    fn dir(&self) -> PyResult<Bound<'py, PyList>>;
891
892    /// Checks whether this object is an instance of type `ty`.
893    ///
894    /// This is equivalent to the Python expression `isinstance(self, ty)`.
895    fn is_instance(&self, ty: &Bound<'py, PyAny>) -> PyResult<bool>;
896
897    /// Checks whether this object is an instance of exactly type `ty` (not a subclass).
898    ///
899    /// This is equivalent to the Python expression `type(self) is ty`.
900    fn is_exact_instance(&self, ty: &Bound<'py, PyAny>) -> bool;
901
902    /// Checks whether this object is an instance of type `T`.
903    ///
904    /// This is equivalent to the Python expression `isinstance(self, T)`,
905    /// if the type `T` is known at compile time.
906    fn is_instance_of<T: PyTypeInfo>(&self) -> bool;
907
908    /// Checks whether this object is an instance of exactly type `T`.
909    ///
910    /// This is equivalent to the Python expression `type(self) is T`,
911    /// if the type `T` is known at compile time.
912    fn is_exact_instance_of<T: PyTypeInfo>(&self) -> bool;
913
914    /// Determines if self contains `value`.
915    ///
916    /// This is equivalent to the Python expression `value in self`.
917    fn contains<V>(&self, value: V) -> PyResult<bool>
918    where
919        V: IntoPyObject<'py>;
920
921    /// Return a proxy object that delegates method calls to a parent or sibling class of type.
922    ///
923    /// This is equivalent to the Python expression `super()`
924    #[cfg(not(any(PyPy, GraalPy)))]
925    fn py_super(&self) -> PyResult<Bound<'py, PySuper>>;
926}
927
928macro_rules! implement_binop {
929    ($name:ident, $c_api:ident, $op:expr) => {
930        #[doc = concat!("Computes `self ", $op, " other`.")]
931        fn $name<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
932        where
933            O: IntoPyObject<'py>,
934        {
935            fn inner<'py>(
936                any: &Bound<'py, PyAny>,
937                other: Borrowed<'_, 'py, PyAny>,
938            ) -> PyResult<Bound<'py, PyAny>> {
939                unsafe { ffi::$c_api(any.as_ptr(), other.as_ptr()).assume_owned_or_err(any.py()) }
940            }
941
942            let py = self.py();
943            inner(
944                self,
945                other.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
946            )
947        }
948    };
949}
950
951impl<'py> PyAnyMethods<'py> for Bound<'py, PyAny> {
952    #[inline]
953    fn is<T: AsPyPointer>(&self, other: &T) -> bool {
954        self.as_ptr() == other.as_ptr()
955    }
956
957    fn hasattr<N>(&self, attr_name: N) -> PyResult<bool>
958    where
959        N: IntoPyObject<'py, Target = PyString>,
960    {
961        // PyObject_HasAttr suppresses all exceptions, which was the behaviour of `hasattr` in Python 2.
962        // Use an implementation which suppresses only AttributeError, which is consistent with `hasattr` in Python 3.
963        fn inner(py: Python<'_>, getattr_result: PyResult<Bound<'_, PyAny>>) -> PyResult<bool> {
964            match getattr_result {
965                Ok(_) => Ok(true),
966                Err(err) if err.is_instance_of::<PyAttributeError>(py) => Ok(false),
967                Err(e) => Err(e),
968            }
969        }
970
971        inner(self.py(), self.getattr(attr_name))
972    }
973
974    fn getattr<N>(&self, attr_name: N) -> PyResult<Bound<'py, PyAny>>
975    where
976        N: IntoPyObject<'py, Target = PyString>,
977    {
978        fn inner<'py>(
979            any: &Bound<'py, PyAny>,
980            attr_name: Borrowed<'_, '_, PyString>,
981        ) -> PyResult<Bound<'py, PyAny>> {
982            unsafe {
983                ffi::PyObject_GetAttr(any.as_ptr(), attr_name.as_ptr())
984                    .assume_owned_or_err(any.py())
985            }
986        }
987
988        inner(
989            self,
990            attr_name
991                .into_pyobject(self.py())
992                .map_err(Into::into)?
993                .as_borrowed(),
994        )
995    }
996
997    fn getattr_opt<N>(&self, attr_name: N) -> PyResult<Option<Bound<'py, PyAny>>>
998    where
999        N: IntoPyObject<'py, Target = PyString>,
1000    {
1001        fn inner<'py>(
1002            any: &Bound<'py, PyAny>,
1003            attr_name: Borrowed<'_, 'py, PyString>,
1004        ) -> PyResult<Option<Bound<'py, PyAny>>> {
1005            #[cfg(Py_3_13)]
1006            {
1007                let mut resp_ptr: *mut ffi::PyObject = std::ptr::null_mut();
1008                match unsafe {
1009                    ffi::PyObject_GetOptionalAttr(any.as_ptr(), attr_name.as_ptr(), &mut resp_ptr)
1010                } {
1011                    // Attribute found, result is a new strong reference
1012                    1 => {
1013                        let bound = unsafe { Bound::from_owned_ptr(any.py(), resp_ptr) };
1014                        Ok(Some(bound))
1015                    }
1016                    // Attribute not found, result is NULL
1017                    0 => Ok(None),
1018
1019                    // An error occurred (other than AttributeError)
1020                    _ => Err(PyErr::fetch(any.py())),
1021                }
1022            }
1023
1024            #[cfg(not(Py_3_13))]
1025            {
1026                match any.getattr(attr_name) {
1027                    Ok(bound) => Ok(Some(bound)),
1028                    Err(err) => {
1029                        let err_type = err
1030                            .get_type(any.py())
1031                            .is(&PyType::new::<PyAttributeError>(any.py()));
1032                        match err_type {
1033                            true => Ok(None),
1034                            false => Err(err),
1035                        }
1036                    }
1037                }
1038            }
1039        }
1040
1041        let py = self.py();
1042        inner(self, attr_name.into_pyobject_or_pyerr(py)?.as_borrowed())
1043    }
1044
1045    fn setattr<N, V>(&self, attr_name: N, value: V) -> PyResult<()>
1046    where
1047        N: IntoPyObject<'py, Target = PyString>,
1048        V: IntoPyObject<'py>,
1049    {
1050        fn inner(
1051            any: &Bound<'_, PyAny>,
1052            attr_name: Borrowed<'_, '_, PyString>,
1053            value: Borrowed<'_, '_, PyAny>,
1054        ) -> PyResult<()> {
1055            err::error_on_minusone(any.py(), unsafe {
1056                ffi::PyObject_SetAttr(any.as_ptr(), attr_name.as_ptr(), value.as_ptr())
1057            })
1058        }
1059
1060        let py = self.py();
1061        inner(
1062            self,
1063            attr_name.into_pyobject_or_pyerr(py)?.as_borrowed(),
1064            value.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1065        )
1066    }
1067
1068    fn delattr<N>(&self, attr_name: N) -> PyResult<()>
1069    where
1070        N: IntoPyObject<'py, Target = PyString>,
1071    {
1072        fn inner(any: &Bound<'_, PyAny>, attr_name: Borrowed<'_, '_, PyString>) -> PyResult<()> {
1073            err::error_on_minusone(any.py(), unsafe {
1074                ffi::PyObject_DelAttr(any.as_ptr(), attr_name.as_ptr())
1075            })
1076        }
1077
1078        let py = self.py();
1079        inner(self, attr_name.into_pyobject_or_pyerr(py)?.as_borrowed())
1080    }
1081
1082    fn compare<O>(&self, other: O) -> PyResult<Ordering>
1083    where
1084        O: IntoPyObject<'py>,
1085    {
1086        fn inner(any: &Bound<'_, PyAny>, other: Borrowed<'_, '_, PyAny>) -> PyResult<Ordering> {
1087            let other = other.as_ptr();
1088            // Almost the same as ffi::PyObject_RichCompareBool, but this one doesn't try self == other.
1089            // See https://github.com/PyO3/pyo3/issues/985 for more.
1090            let do_compare = |other, op| unsafe {
1091                ffi::PyObject_RichCompare(any.as_ptr(), other, op)
1092                    .assume_owned_or_err(any.py())
1093                    .and_then(|obj| obj.is_truthy())
1094            };
1095            if do_compare(other, ffi::Py_EQ)? {
1096                Ok(Ordering::Equal)
1097            } else if do_compare(other, ffi::Py_LT)? {
1098                Ok(Ordering::Less)
1099            } else if do_compare(other, ffi::Py_GT)? {
1100                Ok(Ordering::Greater)
1101            } else {
1102                Err(PyTypeError::new_err(
1103                    "PyAny::compare(): All comparisons returned false",
1104                ))
1105            }
1106        }
1107
1108        let py = self.py();
1109        inner(
1110            self,
1111            other.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1112        )
1113    }
1114
1115    fn rich_compare<O>(&self, other: O, compare_op: CompareOp) -> PyResult<Bound<'py, PyAny>>
1116    where
1117        O: IntoPyObject<'py>,
1118    {
1119        fn inner<'py>(
1120            any: &Bound<'py, PyAny>,
1121            other: Borrowed<'_, 'py, PyAny>,
1122            compare_op: CompareOp,
1123        ) -> PyResult<Bound<'py, PyAny>> {
1124            unsafe {
1125                ffi::PyObject_RichCompare(any.as_ptr(), other.as_ptr(), compare_op as c_int)
1126                    .assume_owned_or_err(any.py())
1127            }
1128        }
1129
1130        let py = self.py();
1131        inner(
1132            self,
1133            other.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1134            compare_op,
1135        )
1136    }
1137
1138    fn neg(&self) -> PyResult<Bound<'py, PyAny>> {
1139        unsafe { ffi::PyNumber_Negative(self.as_ptr()).assume_owned_or_err(self.py()) }
1140    }
1141
1142    fn pos(&self) -> PyResult<Bound<'py, PyAny>> {
1143        fn inner<'py>(any: &Bound<'py, PyAny>) -> PyResult<Bound<'py, PyAny>> {
1144            unsafe { ffi::PyNumber_Positive(any.as_ptr()).assume_owned_or_err(any.py()) }
1145        }
1146
1147        inner(self)
1148    }
1149
1150    fn abs(&self) -> PyResult<Bound<'py, PyAny>> {
1151        fn inner<'py>(any: &Bound<'py, PyAny>) -> PyResult<Bound<'py, PyAny>> {
1152            unsafe { ffi::PyNumber_Absolute(any.as_ptr()).assume_owned_or_err(any.py()) }
1153        }
1154
1155        inner(self)
1156    }
1157
1158    fn bitnot(&self) -> PyResult<Bound<'py, PyAny>> {
1159        fn inner<'py>(any: &Bound<'py, PyAny>) -> PyResult<Bound<'py, PyAny>> {
1160            unsafe { ffi::PyNumber_Invert(any.as_ptr()).assume_owned_or_err(any.py()) }
1161        }
1162
1163        inner(self)
1164    }
1165
1166    fn lt<O>(&self, other: O) -> PyResult<bool>
1167    where
1168        O: IntoPyObject<'py>,
1169    {
1170        self.rich_compare(other, CompareOp::Lt)
1171            .and_then(|any| any.is_truthy())
1172    }
1173
1174    fn le<O>(&self, other: O) -> PyResult<bool>
1175    where
1176        O: IntoPyObject<'py>,
1177    {
1178        self.rich_compare(other, CompareOp::Le)
1179            .and_then(|any| any.is_truthy())
1180    }
1181
1182    fn eq<O>(&self, other: O) -> PyResult<bool>
1183    where
1184        O: IntoPyObject<'py>,
1185    {
1186        self.rich_compare(other, CompareOp::Eq)
1187            .and_then(|any| any.is_truthy())
1188    }
1189
1190    fn ne<O>(&self, other: O) -> PyResult<bool>
1191    where
1192        O: IntoPyObject<'py>,
1193    {
1194        self.rich_compare(other, CompareOp::Ne)
1195            .and_then(|any| any.is_truthy())
1196    }
1197
1198    fn gt<O>(&self, other: O) -> PyResult<bool>
1199    where
1200        O: IntoPyObject<'py>,
1201    {
1202        self.rich_compare(other, CompareOp::Gt)
1203            .and_then(|any| any.is_truthy())
1204    }
1205
1206    fn ge<O>(&self, other: O) -> PyResult<bool>
1207    where
1208        O: IntoPyObject<'py>,
1209    {
1210        self.rich_compare(other, CompareOp::Ge)
1211            .and_then(|any| any.is_truthy())
1212    }
1213
1214    implement_binop!(add, PyNumber_Add, "+");
1215    implement_binop!(sub, PyNumber_Subtract, "-");
1216    implement_binop!(mul, PyNumber_Multiply, "*");
1217    implement_binop!(matmul, PyNumber_MatrixMultiply, "@");
1218    implement_binop!(div, PyNumber_TrueDivide, "/");
1219    implement_binop!(floor_div, PyNumber_FloorDivide, "//");
1220    implement_binop!(rem, PyNumber_Remainder, "%");
1221    implement_binop!(lshift, PyNumber_Lshift, "<<");
1222    implement_binop!(rshift, PyNumber_Rshift, ">>");
1223    implement_binop!(bitand, PyNumber_And, "&");
1224    implement_binop!(bitor, PyNumber_Or, "|");
1225    implement_binop!(bitxor, PyNumber_Xor, "^");
1226
1227    /// Computes `divmod(self, other)`.
1228    fn divmod<O>(&self, other: O) -> PyResult<Bound<'py, PyAny>>
1229    where
1230        O: IntoPyObject<'py>,
1231    {
1232        fn inner<'py>(
1233            any: &Bound<'py, PyAny>,
1234            other: Borrowed<'_, 'py, PyAny>,
1235        ) -> PyResult<Bound<'py, PyAny>> {
1236            unsafe {
1237                ffi::PyNumber_Divmod(any.as_ptr(), other.as_ptr()).assume_owned_or_err(any.py())
1238            }
1239        }
1240
1241        let py = self.py();
1242        inner(
1243            self,
1244            other.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1245        )
1246    }
1247
1248    /// Computes `self ** other % modulus` (`pow(self, other, modulus)`).
1249    /// `py.None()` may be passed for the `modulus`.
1250    fn pow<O1, O2>(&self, other: O1, modulus: O2) -> PyResult<Bound<'py, PyAny>>
1251    where
1252        O1: IntoPyObject<'py>,
1253        O2: IntoPyObject<'py>,
1254    {
1255        fn inner<'py>(
1256            any: &Bound<'py, PyAny>,
1257            other: Borrowed<'_, 'py, PyAny>,
1258            modulus: Borrowed<'_, 'py, PyAny>,
1259        ) -> PyResult<Bound<'py, PyAny>> {
1260            unsafe {
1261                ffi::PyNumber_Power(any.as_ptr(), other.as_ptr(), modulus.as_ptr())
1262                    .assume_owned_or_err(any.py())
1263            }
1264        }
1265
1266        let py = self.py();
1267        inner(
1268            self,
1269            other.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1270            modulus.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1271        )
1272    }
1273
1274    fn is_callable(&self) -> bool {
1275        unsafe { ffi::PyCallable_Check(self.as_ptr()) != 0 }
1276    }
1277
1278    fn call<A>(&self, args: A, kwargs: Option<&Bound<'py, PyDict>>) -> PyResult<Bound<'py, PyAny>>
1279    where
1280        A: PyCallArgs<'py>,
1281    {
1282        if let Some(kwargs) = kwargs {
1283            args.call(
1284                self.as_borrowed(),
1285                kwargs.as_borrowed(),
1286                crate::call::private::Token,
1287            )
1288        } else {
1289            args.call_positional(self.as_borrowed(), crate::call::private::Token)
1290        }
1291    }
1292
1293    #[inline]
1294    fn call0(&self) -> PyResult<Bound<'py, PyAny>> {
1295        unsafe { ffi::compat::PyObject_CallNoArgs(self.as_ptr()).assume_owned_or_err(self.py()) }
1296    }
1297
1298    fn call1<A>(&self, args: A) -> PyResult<Bound<'py, PyAny>>
1299    where
1300        A: PyCallArgs<'py>,
1301    {
1302        args.call_positional(self.as_borrowed(), crate::call::private::Token)
1303    }
1304
1305    #[inline]
1306    fn call_method<N, A>(
1307        &self,
1308        name: N,
1309        args: A,
1310        kwargs: Option<&Bound<'py, PyDict>>,
1311    ) -> PyResult<Bound<'py, PyAny>>
1312    where
1313        N: IntoPyObject<'py, Target = PyString>,
1314        A: PyCallArgs<'py>,
1315    {
1316        if kwargs.is_none() {
1317            self.call_method1(name, args)
1318        } else {
1319            self.getattr(name)
1320                .and_then(|method| method.call(args, kwargs))
1321        }
1322    }
1323
1324    #[inline]
1325    fn call_method0<N>(&self, name: N) -> PyResult<Bound<'py, PyAny>>
1326    where
1327        N: IntoPyObject<'py, Target = PyString>,
1328    {
1329        let py = self.py();
1330        let name = name.into_pyobject_or_pyerr(py)?.into_bound();
1331        unsafe {
1332            ffi::compat::PyObject_CallMethodNoArgs(self.as_ptr(), name.as_ptr())
1333                .assume_owned_or_err(py)
1334        }
1335    }
1336
1337    fn call_method1<N, A>(&self, name: N, args: A) -> PyResult<Bound<'py, PyAny>>
1338    where
1339        N: IntoPyObject<'py, Target = PyString>,
1340        A: PyCallArgs<'py>,
1341    {
1342        let name = name.into_pyobject_or_pyerr(self.py())?;
1343        args.call_method_positional(
1344            self.as_borrowed(),
1345            name.as_borrowed(),
1346            crate::call::private::Token,
1347        )
1348    }
1349
1350    fn is_truthy(&self) -> PyResult<bool> {
1351        let v = unsafe { ffi::PyObject_IsTrue(self.as_ptr()) };
1352        err::error_on_minusone(self.py(), v)?;
1353        Ok(v != 0)
1354    }
1355
1356    #[inline]
1357    fn is_none(&self) -> bool {
1358        unsafe { ffi::Py_None() == self.as_ptr() }
1359    }
1360
1361    fn is_empty(&self) -> PyResult<bool> {
1362        self.len().map(|l| l == 0)
1363    }
1364
1365    fn get_item<K>(&self, key: K) -> PyResult<Bound<'py, PyAny>>
1366    where
1367        K: IntoPyObject<'py>,
1368    {
1369        fn inner<'py>(
1370            any: &Bound<'py, PyAny>,
1371            key: Borrowed<'_, 'py, PyAny>,
1372        ) -> PyResult<Bound<'py, PyAny>> {
1373            unsafe {
1374                ffi::PyObject_GetItem(any.as_ptr(), key.as_ptr()).assume_owned_or_err(any.py())
1375            }
1376        }
1377
1378        let py = self.py();
1379        inner(
1380            self,
1381            key.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1382        )
1383    }
1384
1385    fn set_item<K, V>(&self, key: K, value: V) -> PyResult<()>
1386    where
1387        K: IntoPyObject<'py>,
1388        V: IntoPyObject<'py>,
1389    {
1390        fn inner(
1391            any: &Bound<'_, PyAny>,
1392            key: Borrowed<'_, '_, PyAny>,
1393            value: Borrowed<'_, '_, PyAny>,
1394        ) -> PyResult<()> {
1395            err::error_on_minusone(any.py(), unsafe {
1396                ffi::PyObject_SetItem(any.as_ptr(), key.as_ptr(), value.as_ptr())
1397            })
1398        }
1399
1400        let py = self.py();
1401        inner(
1402            self,
1403            key.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1404            value.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1405        )
1406    }
1407
1408    fn del_item<K>(&self, key: K) -> PyResult<()>
1409    where
1410        K: IntoPyObject<'py>,
1411    {
1412        fn inner(any: &Bound<'_, PyAny>, key: Borrowed<'_, '_, PyAny>) -> PyResult<()> {
1413            err::error_on_minusone(any.py(), unsafe {
1414                ffi::PyObject_DelItem(any.as_ptr(), key.as_ptr())
1415            })
1416        }
1417
1418        let py = self.py();
1419        inner(
1420            self,
1421            key.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1422        )
1423    }
1424
1425    fn try_iter(&self) -> PyResult<Bound<'py, PyIterator>> {
1426        PyIterator::from_object(self)
1427    }
1428
1429    fn get_type(&self) -> Bound<'py, PyType> {
1430        unsafe { PyType::from_borrowed_type_ptr(self.py(), ffi::Py_TYPE(self.as_ptr())) }
1431    }
1432
1433    #[inline]
1434    fn get_type_ptr(&self) -> *mut ffi::PyTypeObject {
1435        unsafe { ffi::Py_TYPE(self.as_ptr()) }
1436    }
1437
1438    #[inline]
1439    fn downcast<T>(&self) -> Result<&Bound<'py, T>, DowncastError<'_, 'py>>
1440    where
1441        T: PyTypeCheck,
1442    {
1443        if T::type_check(self) {
1444            // Safety: type_check is responsible for ensuring that the type is correct
1445            Ok(unsafe { self.downcast_unchecked() })
1446        } else {
1447            Err(DowncastError::new(self, T::NAME))
1448        }
1449    }
1450
1451    #[inline]
1452    fn downcast_into<T>(self) -> Result<Bound<'py, T>, DowncastIntoError<'py>>
1453    where
1454        T: PyTypeCheck,
1455    {
1456        if T::type_check(&self) {
1457            // Safety: type_check is responsible for ensuring that the type is correct
1458            Ok(unsafe { self.downcast_into_unchecked() })
1459        } else {
1460            Err(DowncastIntoError::new(self, T::NAME))
1461        }
1462    }
1463
1464    #[inline]
1465    fn downcast_exact<T>(&self) -> Result<&Bound<'py, T>, DowncastError<'_, 'py>>
1466    where
1467        T: PyTypeInfo,
1468    {
1469        if self.is_exact_instance_of::<T>() {
1470            // Safety: is_exact_instance_of is responsible for ensuring that the type is correct
1471            Ok(unsafe { self.downcast_unchecked() })
1472        } else {
1473            Err(DowncastError::new(self, T::NAME))
1474        }
1475    }
1476
1477    #[inline]
1478    fn downcast_into_exact<T>(self) -> Result<Bound<'py, T>, DowncastIntoError<'py>>
1479    where
1480        T: PyTypeInfo,
1481    {
1482        if self.is_exact_instance_of::<T>() {
1483            // Safety: is_exact_instance_of is responsible for ensuring that the type is correct
1484            Ok(unsafe { self.downcast_into_unchecked() })
1485        } else {
1486            Err(DowncastIntoError::new(self, T::NAME))
1487        }
1488    }
1489
1490    #[inline]
1491    unsafe fn downcast_unchecked<T>(&self) -> &Bound<'py, T> {
1492        unsafe { &*ptr_from_ref(self).cast() }
1493    }
1494
1495    #[inline]
1496    unsafe fn downcast_into_unchecked<T>(self) -> Bound<'py, T> {
1497        unsafe { std::mem::transmute(self) }
1498    }
1499
1500    fn extract<'a, T>(&'a self) -> PyResult<T>
1501    where
1502        T: FromPyObjectBound<'a, 'py>,
1503    {
1504        FromPyObjectBound::from_py_object_bound(self.as_borrowed())
1505    }
1506
1507    fn get_refcnt(&self) -> isize {
1508        unsafe { ffi::Py_REFCNT(self.as_ptr()) }
1509    }
1510
1511    fn repr(&self) -> PyResult<Bound<'py, PyString>> {
1512        unsafe {
1513            ffi::PyObject_Repr(self.as_ptr())
1514                .assume_owned_or_err(self.py())
1515                .downcast_into_unchecked()
1516        }
1517    }
1518
1519    fn str(&self) -> PyResult<Bound<'py, PyString>> {
1520        unsafe {
1521            ffi::PyObject_Str(self.as_ptr())
1522                .assume_owned_or_err(self.py())
1523                .downcast_into_unchecked()
1524        }
1525    }
1526
1527    fn hash(&self) -> PyResult<isize> {
1528        let v = unsafe { ffi::PyObject_Hash(self.as_ptr()) };
1529        crate::err::error_on_minusone(self.py(), v)?;
1530        Ok(v)
1531    }
1532
1533    fn len(&self) -> PyResult<usize> {
1534        let v = unsafe { ffi::PyObject_Size(self.as_ptr()) };
1535        crate::err::error_on_minusone(self.py(), v)?;
1536        Ok(v as usize)
1537    }
1538
1539    fn dir(&self) -> PyResult<Bound<'py, PyList>> {
1540        unsafe {
1541            ffi::PyObject_Dir(self.as_ptr())
1542                .assume_owned_or_err(self.py())
1543                .downcast_into_unchecked()
1544        }
1545    }
1546
1547    #[inline]
1548    fn is_instance(&self, ty: &Bound<'py, PyAny>) -> PyResult<bool> {
1549        let result = unsafe { ffi::PyObject_IsInstance(self.as_ptr(), ty.as_ptr()) };
1550        err::error_on_minusone(self.py(), result)?;
1551        Ok(result == 1)
1552    }
1553
1554    #[inline]
1555    fn is_exact_instance(&self, ty: &Bound<'py, PyAny>) -> bool {
1556        self.get_type().is(ty)
1557    }
1558
1559    #[inline]
1560    fn is_instance_of<T: PyTypeInfo>(&self) -> bool {
1561        T::is_type_of(self)
1562    }
1563
1564    #[inline]
1565    fn is_exact_instance_of<T: PyTypeInfo>(&self) -> bool {
1566        T::is_exact_type_of(self)
1567    }
1568
1569    fn contains<V>(&self, value: V) -> PyResult<bool>
1570    where
1571        V: IntoPyObject<'py>,
1572    {
1573        fn inner(any: &Bound<'_, PyAny>, value: Borrowed<'_, '_, PyAny>) -> PyResult<bool> {
1574            match unsafe { ffi::PySequence_Contains(any.as_ptr(), value.as_ptr()) } {
1575                0 => Ok(false),
1576                1 => Ok(true),
1577                _ => Err(PyErr::fetch(any.py())),
1578            }
1579        }
1580
1581        let py = self.py();
1582        inner(
1583            self,
1584            value.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
1585        )
1586    }
1587
1588    #[cfg(not(any(PyPy, GraalPy)))]
1589    fn py_super(&self) -> PyResult<Bound<'py, PySuper>> {
1590        PySuper::new(&self.get_type(), self)
1591    }
1592}
1593
1594impl<'py> Bound<'py, PyAny> {
1595    /// Retrieve an attribute value, skipping the instance dictionary during the lookup but still
1596    /// binding the object to the instance.
1597    ///
1598    /// This is useful when trying to resolve Python's "magic" methods like `__getitem__`, which
1599    /// are looked up starting from the type object.  This returns an `Option` as it is not
1600    /// typically a direct error for the special lookup to fail, as magic methods are optional in
1601    /// many situations in which they might be called.
1602    ///
1603    /// To avoid repeated temporary allocations of Python strings, the [`intern!`] macro can be used
1604    /// to intern `attr_name`.
1605    #[allow(dead_code)] // Currently only used with num-complex+abi3, so dead without that.
1606    pub(crate) fn lookup_special<N>(&self, attr_name: N) -> PyResult<Option<Bound<'py, PyAny>>>
1607    where
1608        N: IntoPyObject<'py, Target = PyString>,
1609    {
1610        let py = self.py();
1611        let self_type = self.get_type();
1612        let attr = if let Ok(attr) = self_type.getattr(attr_name) {
1613            attr
1614        } else {
1615            return Ok(None);
1616        };
1617
1618        // Manually resolve descriptor protocol. (Faster than going through Python.)
1619        if let Some(descr_get) = attr.get_type().get_slot(TP_DESCR_GET) {
1620            // attribute is a descriptor, resolve it
1621            unsafe {
1622                descr_get(attr.as_ptr(), self.as_ptr(), self_type.as_ptr())
1623                    .assume_owned_or_err(py)
1624                    .map(Some)
1625            }
1626        } else {
1627            Ok(Some(attr))
1628        }
1629    }
1630}
1631
1632#[cfg(test)]
1633mod tests {
1634    use crate::{
1635        basic::CompareOp,
1636        ffi,
1637        tests::common::generate_unique_module_name,
1638        types::{IntoPyDict, PyAny, PyAnyMethods, PyBool, PyInt, PyList, PyModule, PyTypeMethods},
1639        Bound, BoundObject, IntoPyObject, PyTypeInfo, Python,
1640    };
1641    use pyo3_ffi::c_str;
1642    use std::fmt::Debug;
1643
1644    #[test]
1645    fn test_lookup_special() {
1646        Python::with_gil(|py| {
1647            let module = PyModule::from_code(
1648                py,
1649                c_str!(
1650                    r#"
1651class CustomCallable:
1652    def __call__(self):
1653        return 1
1654
1655class SimpleInt:
1656    def __int__(self):
1657        return 1
1658
1659class InheritedInt(SimpleInt): pass
1660
1661class NoInt: pass
1662
1663class NoDescriptorInt:
1664    __int__ = CustomCallable()
1665
1666class InstanceOverrideInt:
1667    def __int__(self):
1668        return 1
1669instance_override = InstanceOverrideInt()
1670instance_override.__int__ = lambda self: 2
1671
1672class ErrorInDescriptorInt:
1673    @property
1674    def __int__(self):
1675        raise ValueError("uh-oh!")
1676
1677class NonHeapNonDescriptorInt:
1678    # A static-typed callable that doesn't implement `__get__`.  These are pretty hard to come by.
1679    __int__ = int
1680                "#
1681                ),
1682                c_str!("test.py"),
1683                &generate_unique_module_name("test"),
1684            )
1685            .unwrap();
1686
1687            let int = crate::intern!(py, "__int__");
1688            let eval_int =
1689                |obj: Bound<'_, PyAny>| obj.lookup_special(int)?.unwrap().call0()?.extract::<u32>();
1690
1691            let simple = module.getattr("SimpleInt").unwrap().call0().unwrap();
1692            assert_eq!(eval_int(simple).unwrap(), 1);
1693            let inherited = module.getattr("InheritedInt").unwrap().call0().unwrap();
1694            assert_eq!(eval_int(inherited).unwrap(), 1);
1695            let no_descriptor = module.getattr("NoDescriptorInt").unwrap().call0().unwrap();
1696            assert_eq!(eval_int(no_descriptor).unwrap(), 1);
1697            let missing = module.getattr("NoInt").unwrap().call0().unwrap();
1698            assert!(missing.lookup_special(int).unwrap().is_none());
1699            // Note the instance override should _not_ call the instance method that returns 2,
1700            // because that's not how special lookups are meant to work.
1701            let instance_override = module.getattr("instance_override").unwrap();
1702            assert_eq!(eval_int(instance_override).unwrap(), 1);
1703            let descriptor_error = module
1704                .getattr("ErrorInDescriptorInt")
1705                .unwrap()
1706                .call0()
1707                .unwrap();
1708            assert!(descriptor_error.lookup_special(int).is_err());
1709            let nonheap_nondescriptor = module
1710                .getattr("NonHeapNonDescriptorInt")
1711                .unwrap()
1712                .call0()
1713                .unwrap();
1714            assert_eq!(eval_int(nonheap_nondescriptor).unwrap(), 0);
1715        })
1716    }
1717
1718    #[test]
1719    fn test_getattr_opt() {
1720        Python::with_gil(|py| {
1721            let module = PyModule::from_code(
1722                py,
1723                c_str!(
1724                    r#"
1725class Test:
1726    class_str_attribute = "class_string"
1727
1728    @property
1729    def error(self):
1730        raise ValueError("This is an intentional error")
1731                "#
1732                ),
1733                c_str!("test.py"),
1734                &generate_unique_module_name("test"),
1735            )
1736            .unwrap();
1737
1738            // Get the class Test
1739            let class_test = module.getattr_opt("Test").unwrap().unwrap();
1740
1741            // Test attribute that exist
1742            let cls_attr_str = class_test
1743                .getattr_opt("class_str_attribute")
1744                .unwrap()
1745                .unwrap();
1746            assert_eq!(cls_attr_str.extract::<String>().unwrap(), "class_string");
1747
1748            // Test non-existent attribute
1749            let do_not_exist = class_test.getattr_opt("doNotExist").unwrap();
1750            assert!(do_not_exist.is_none());
1751
1752            // Test error attribute
1753            let instance = class_test.call0().unwrap();
1754            let error = instance.getattr_opt("error");
1755            assert!(error.is_err());
1756            assert!(error
1757                .unwrap_err()
1758                .to_string()
1759                .contains("This is an intentional error"));
1760        });
1761    }
1762
1763    #[test]
1764    fn test_call_for_non_existing_method() {
1765        Python::with_gil(|py| {
1766            let a = py.eval(ffi::c_str!("42"), None, None).unwrap();
1767            a.call_method0("__str__").unwrap(); // ok
1768            assert!(a.call_method("nonexistent_method", (1,), None).is_err());
1769            assert!(a.call_method0("nonexistent_method").is_err());
1770            assert!(a.call_method1("nonexistent_method", (1,)).is_err());
1771        });
1772    }
1773
1774    #[test]
1775    fn test_call_with_kwargs() {
1776        Python::with_gil(|py| {
1777            let list = vec![3, 6, 5, 4, 7].into_pyobject(py).unwrap();
1778            let dict = vec![("reverse", true)].into_py_dict(py).unwrap();
1779            list.call_method("sort", (), Some(&dict)).unwrap();
1780            assert_eq!(list.extract::<Vec<i32>>().unwrap(), vec![7, 6, 5, 4, 3]);
1781        });
1782    }
1783
1784    #[test]
1785    fn test_call_method0() {
1786        Python::with_gil(|py| {
1787            let module = PyModule::from_code(
1788                py,
1789                c_str!(
1790                    r#"
1791class SimpleClass:
1792    def foo(self):
1793        return 42
1794"#
1795                ),
1796                c_str!(file!()),
1797                &generate_unique_module_name("test_module"),
1798            )
1799            .expect("module creation failed");
1800
1801            let simple_class = module.getattr("SimpleClass").unwrap().call0().unwrap();
1802            assert_eq!(
1803                simple_class
1804                    .call_method0("foo")
1805                    .unwrap()
1806                    .extract::<u32>()
1807                    .unwrap(),
1808                42
1809            );
1810        })
1811    }
1812
1813    #[test]
1814    fn test_type() {
1815        Python::with_gil(|py| {
1816            let obj = py.eval(ffi::c_str!("42"), None, None).unwrap();
1817            assert_eq!(obj.get_type().as_type_ptr(), obj.get_type_ptr());
1818        });
1819    }
1820
1821    #[test]
1822    fn test_dir() {
1823        Python::with_gil(|py| {
1824            let obj = py.eval(ffi::c_str!("42"), None, None).unwrap();
1825            let dir = py
1826                .eval(ffi::c_str!("dir(42)"), None, None)
1827                .unwrap()
1828                .downcast_into::<PyList>()
1829                .unwrap();
1830            let a = obj
1831                .dir()
1832                .unwrap()
1833                .into_iter()
1834                .map(|x| x.extract::<String>().unwrap());
1835            let b = dir.into_iter().map(|x| x.extract::<String>().unwrap());
1836            assert!(a.eq(b));
1837        });
1838    }
1839
1840    #[test]
1841    fn test_hasattr() {
1842        Python::with_gil(|py| {
1843            let x = 5i32.into_pyobject(py).unwrap();
1844            assert!(x.is_instance_of::<PyInt>());
1845
1846            assert!(x.hasattr("to_bytes").unwrap());
1847            assert!(!x.hasattr("bbbbbbytes").unwrap());
1848        })
1849    }
1850
1851    #[cfg(feature = "macros")]
1852    #[test]
1853    #[allow(unknown_lints, non_local_definitions)]
1854    fn test_hasattr_error() {
1855        use crate::exceptions::PyValueError;
1856        use crate::prelude::*;
1857
1858        #[pyclass(crate = "crate")]
1859        struct GetattrFail;
1860
1861        #[pymethods(crate = "crate")]
1862        impl GetattrFail {
1863            fn __getattr__(&self, attr: PyObject) -> PyResult<PyObject> {
1864                Err(PyValueError::new_err(attr))
1865            }
1866        }
1867
1868        Python::with_gil(|py| {
1869            let obj = Py::new(py, GetattrFail).unwrap();
1870            let obj = obj.bind(py).as_ref();
1871
1872            assert!(obj
1873                .hasattr("foo")
1874                .unwrap_err()
1875                .is_instance_of::<PyValueError>(py));
1876        })
1877    }
1878
1879    #[test]
1880    fn test_nan_eq() {
1881        Python::with_gil(|py| {
1882            let nan = py.eval(ffi::c_str!("float('nan')"), None, None).unwrap();
1883            assert!(nan.compare(&nan).is_err());
1884        });
1885    }
1886
1887    #[test]
1888    fn test_any_is_instance_of() {
1889        Python::with_gil(|py| {
1890            let x = 5i32.into_pyobject(py).unwrap();
1891            assert!(x.is_instance_of::<PyInt>());
1892
1893            let l = vec![&x, &x].into_pyobject(py).unwrap();
1894            assert!(l.is_instance_of::<PyList>());
1895        });
1896    }
1897
1898    #[test]
1899    fn test_any_is_instance() {
1900        Python::with_gil(|py| {
1901            let l = vec![1i8, 2].into_pyobject(py).unwrap();
1902            assert!(l.is_instance(&py.get_type::<PyList>()).unwrap());
1903        });
1904    }
1905
1906    #[test]
1907    fn test_any_is_exact_instance_of() {
1908        Python::with_gil(|py| {
1909            let x = 5i32.into_pyobject(py).unwrap();
1910            assert!(x.is_exact_instance_of::<PyInt>());
1911
1912            let t = PyBool::new(py, true);
1913            assert!(t.is_instance_of::<PyInt>());
1914            assert!(!t.is_exact_instance_of::<PyInt>());
1915            assert!(t.is_exact_instance_of::<PyBool>());
1916
1917            let l = vec![&x, &x].into_pyobject(py).unwrap();
1918            assert!(l.is_exact_instance_of::<PyList>());
1919        });
1920    }
1921
1922    #[test]
1923    fn test_any_is_exact_instance() {
1924        Python::with_gil(|py| {
1925            let t = PyBool::new(py, true);
1926            assert!(t.is_instance(&py.get_type::<PyInt>()).unwrap());
1927            assert!(!t.is_exact_instance(&py.get_type::<PyInt>()));
1928            assert!(t.is_exact_instance(&py.get_type::<PyBool>()));
1929        });
1930    }
1931
1932    #[test]
1933    fn test_any_contains() {
1934        Python::with_gil(|py| {
1935            let v: Vec<i32> = vec![1, 1, 2, 3, 5, 8];
1936            let ob = v.into_pyobject(py).unwrap();
1937
1938            let bad_needle = 7i32.into_pyobject(py).unwrap();
1939            assert!(!ob.contains(&bad_needle).unwrap());
1940
1941            let good_needle = 8i32.into_pyobject(py).unwrap();
1942            assert!(ob.contains(&good_needle).unwrap());
1943
1944            let type_coerced_needle = 8f32.into_pyobject(py).unwrap();
1945            assert!(ob.contains(&type_coerced_needle).unwrap());
1946
1947            let n: u32 = 42;
1948            let bad_haystack = n.into_pyobject(py).unwrap();
1949            let irrelevant_needle = 0i32.into_pyobject(py).unwrap();
1950            assert!(bad_haystack.contains(&irrelevant_needle).is_err());
1951        });
1952    }
1953
1954    // This is intentionally not a test, it's a generic function used by the tests below.
1955    fn test_eq_methods_generic<'a, T>(list: &'a [T])
1956    where
1957        T: PartialEq + PartialOrd,
1958        for<'py> &'a T: IntoPyObject<'py>,
1959        for<'py> <&'a T as IntoPyObject<'py>>::Error: Debug,
1960    {
1961        Python::with_gil(|py| {
1962            for a in list {
1963                for b in list {
1964                    let a_py = a.into_pyobject(py).unwrap().into_any().into_bound();
1965                    let b_py = b.into_pyobject(py).unwrap().into_any().into_bound();
1966
1967                    assert_eq!(
1968                        a.lt(b),
1969                        a_py.lt(&b_py).unwrap(),
1970                        "{} < {} should be {}.",
1971                        a_py,
1972                        b_py,
1973                        a.lt(b)
1974                    );
1975                    assert_eq!(
1976                        a.le(b),
1977                        a_py.le(&b_py).unwrap(),
1978                        "{} <= {} should be {}.",
1979                        a_py,
1980                        b_py,
1981                        a.le(b)
1982                    );
1983                    assert_eq!(
1984                        a.eq(b),
1985                        a_py.eq(&b_py).unwrap(),
1986                        "{} == {} should be {}.",
1987                        a_py,
1988                        b_py,
1989                        a.eq(b)
1990                    );
1991                    assert_eq!(
1992                        a.ne(b),
1993                        a_py.ne(&b_py).unwrap(),
1994                        "{} != {} should be {}.",
1995                        a_py,
1996                        b_py,
1997                        a.ne(b)
1998                    );
1999                    assert_eq!(
2000                        a.gt(b),
2001                        a_py.gt(&b_py).unwrap(),
2002                        "{} > {} should be {}.",
2003                        a_py,
2004                        b_py,
2005                        a.gt(b)
2006                    );
2007                    assert_eq!(
2008                        a.ge(b),
2009                        a_py.ge(&b_py).unwrap(),
2010                        "{} >= {} should be {}.",
2011                        a_py,
2012                        b_py,
2013                        a.ge(b)
2014                    );
2015                }
2016            }
2017        });
2018    }
2019
2020    #[test]
2021    fn test_eq_methods_integers() {
2022        let ints = [-4, -4, 1, 2, 0, -100, 1_000_000];
2023        test_eq_methods_generic::<i32>(&ints);
2024    }
2025
2026    #[test]
2027    fn test_eq_methods_strings() {
2028        let strings = ["Let's", "test", "some", "eq", "methods"];
2029        test_eq_methods_generic::<&str>(&strings);
2030    }
2031
2032    #[test]
2033    fn test_eq_methods_floats() {
2034        let floats = [
2035            -1.0,
2036            2.5,
2037            0.0,
2038            3.0,
2039            std::f64::consts::PI,
2040            10.0,
2041            10.0 / 3.0,
2042            -1_000_000.0,
2043        ];
2044        test_eq_methods_generic::<f64>(&floats);
2045    }
2046
2047    #[test]
2048    fn test_eq_methods_bools() {
2049        let bools = [true, false];
2050        test_eq_methods_generic::<bool>(&bools);
2051    }
2052
2053    #[test]
2054    fn test_rich_compare_type_error() {
2055        Python::with_gil(|py| {
2056            let py_int = 1i32.into_pyobject(py).unwrap();
2057            let py_str = "1".into_pyobject(py).unwrap();
2058
2059            assert!(py_int.rich_compare(&py_str, CompareOp::Lt).is_err());
2060            assert!(!py_int
2061                .rich_compare(py_str, CompareOp::Eq)
2062                .unwrap()
2063                .is_truthy()
2064                .unwrap());
2065        })
2066    }
2067
2068    #[test]
2069    fn test_is_callable() {
2070        Python::with_gil(|py| {
2071            assert!(PyList::type_object(py).is_callable());
2072
2073            let not_callable = 5i32.into_pyobject(py).unwrap();
2074            assert!(!not_callable.is_callable());
2075        });
2076    }
2077
2078    #[test]
2079    fn test_is_empty() {
2080        Python::with_gil(|py| {
2081            let empty_list = PyList::empty(py).into_any();
2082            assert!(empty_list.is_empty().unwrap());
2083
2084            let list = PyList::new(py, vec![1, 2, 3]).unwrap().into_any();
2085            assert!(!list.is_empty().unwrap());
2086
2087            let not_container = 5i32.into_pyobject(py).unwrap();
2088            assert!(not_container.is_empty().is_err());
2089        });
2090    }
2091
2092    #[cfg(feature = "macros")]
2093    #[test]
2094    #[allow(unknown_lints, non_local_definitions)]
2095    fn test_fallible_dir() {
2096        use crate::exceptions::PyValueError;
2097        use crate::prelude::*;
2098
2099        #[pyclass(crate = "crate")]
2100        struct DirFail;
2101
2102        #[pymethods(crate = "crate")]
2103        impl DirFail {
2104            fn __dir__(&self) -> PyResult<PyObject> {
2105                Err(PyValueError::new_err("uh-oh!"))
2106            }
2107        }
2108
2109        Python::with_gil(|py| {
2110            let obj = Bound::new(py, DirFail).unwrap();
2111            assert!(obj.dir().unwrap_err().is_instance_of::<PyValueError>(py));
2112        })
2113    }
2114}
⚠️ Internal Docs ⚠️ Not Public API 👉 Official Docs Here