pyo3/types/
any.rs

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