pyo3/types/
set.rs

1use crate::types::PyIterator;
2#[allow(deprecated)]
3use crate::ToPyObject;
4use crate::{
5    err::{self, PyErr, PyResult},
6    ffi_ptr_ext::FfiPtrExt,
7    instance::Bound,
8    py_result_ext::PyResultExt,
9    types::any::PyAnyMethods,
10};
11use crate::{ffi, Borrowed, BoundObject, IntoPyObject, IntoPyObjectExt, PyAny, Python};
12use std::ptr;
13
14/// Represents a Python `set`.
15///
16/// Values of this type are accessed via PyO3's smart pointers, e.g. as
17/// [`Py<PySet>`][crate::Py] or [`Bound<'py, PySet>`][Bound].
18///
19/// For APIs available on `set` objects, see the [`PySetMethods`] trait which is implemented for
20/// [`Bound<'py, PySet>`][Bound].
21#[repr(transparent)]
22pub struct PySet(PyAny);
23
24#[cfg(not(any(PyPy, GraalPy)))]
25pyobject_subclassable_native_type!(PySet, crate::ffi::PySetObject);
26
27#[cfg(not(any(PyPy, GraalPy)))]
28pyobject_native_type!(
29    PySet,
30    ffi::PySetObject,
31    pyobject_native_static_type_object!(ffi::PySet_Type),
32    #checkfunction=ffi::PySet_Check
33);
34
35#[cfg(any(PyPy, GraalPy))]
36pyobject_native_type_core!(
37    PySet,
38    pyobject_native_static_type_object!(ffi::PySet_Type),
39    #checkfunction=ffi::PySet_Check
40);
41
42impl PySet {
43    /// Creates a new set with elements from the given slice.
44    ///
45    /// Returns an error if some element is not hashable.
46    #[inline]
47    pub fn new<'py, T>(
48        py: Python<'py>,
49        elements: impl IntoIterator<Item = T>,
50    ) -> PyResult<Bound<'py, PySet>>
51    where
52        T: IntoPyObject<'py>,
53    {
54        try_new_from_iter(py, elements)
55    }
56
57    /// Deprecated name for [`PySet::new`].
58    #[deprecated(since = "0.23.0", note = "renamed to `PySet::new`")]
59    #[allow(deprecated)]
60    #[inline]
61    pub fn new_bound<'a, 'p, T: ToPyObject + 'a>(
62        py: Python<'p>,
63        elements: impl IntoIterator<Item = &'a T>,
64    ) -> PyResult<Bound<'p, PySet>> {
65        Self::new(py, elements.into_iter().map(|e| e.to_object(py)))
66    }
67
68    /// Creates a new empty set.
69    pub fn empty(py: Python<'_>) -> PyResult<Bound<'_, PySet>> {
70        unsafe {
71            ffi::PySet_New(ptr::null_mut())
72                .assume_owned_or_err(py)
73                .downcast_into_unchecked()
74        }
75    }
76
77    /// Deprecated name for [`PySet::empty`].
78    #[deprecated(since = "0.23.0", note = "renamed to `PySet::empty`")]
79    #[inline]
80    pub fn empty_bound(py: Python<'_>) -> PyResult<Bound<'_, PySet>> {
81        Self::empty(py)
82    }
83}
84
85/// Implementation of functionality for [`PySet`].
86///
87/// These methods are defined for the `Bound<'py, PySet>` smart pointer, so to use method call
88/// syntax these methods are separated into a trait, because stable Rust does not yet support
89/// `arbitrary_self_types`.
90#[doc(alias = "PySet")]
91pub trait PySetMethods<'py>: crate::sealed::Sealed {
92    /// Removes all elements from the set.
93    fn clear(&self);
94
95    /// Returns the number of items in the set.
96    ///
97    /// This is equivalent to the Python expression `len(self)`.
98    fn len(&self) -> usize;
99
100    /// Checks if set is empty.
101    fn is_empty(&self) -> bool {
102        self.len() == 0
103    }
104
105    /// Determines if the set contains the specified key.
106    ///
107    /// This is equivalent to the Python expression `key in self`.
108    fn contains<K>(&self, key: K) -> PyResult<bool>
109    where
110        K: IntoPyObject<'py>;
111
112    /// Removes the element from the set if it is present.
113    ///
114    /// Returns `true` if the element was present in the set.
115    fn discard<K>(&self, key: K) -> PyResult<bool>
116    where
117        K: IntoPyObject<'py>;
118
119    /// Adds an element to the set.
120    fn add<K>(&self, key: K) -> PyResult<()>
121    where
122        K: IntoPyObject<'py>;
123
124    /// Removes and returns an arbitrary element from the set.
125    fn pop(&self) -> Option<Bound<'py, PyAny>>;
126
127    /// Returns an iterator of values in this set.
128    ///
129    /// # Panics
130    ///
131    /// If PyO3 detects that the set is mutated during iteration, it will panic.
132    fn iter(&self) -> BoundSetIterator<'py>;
133}
134
135impl<'py> PySetMethods<'py> for Bound<'py, PySet> {
136    #[inline]
137    fn clear(&self) {
138        unsafe {
139            ffi::PySet_Clear(self.as_ptr());
140        }
141    }
142
143    #[inline]
144    fn len(&self) -> usize {
145        unsafe { ffi::PySet_Size(self.as_ptr()) as usize }
146    }
147
148    fn contains<K>(&self, key: K) -> PyResult<bool>
149    where
150        K: IntoPyObject<'py>,
151    {
152        fn inner(set: &Bound<'_, PySet>, key: Borrowed<'_, '_, PyAny>) -> PyResult<bool> {
153            match unsafe { ffi::PySet_Contains(set.as_ptr(), key.as_ptr()) } {
154                1 => Ok(true),
155                0 => Ok(false),
156                _ => Err(PyErr::fetch(set.py())),
157            }
158        }
159
160        let py = self.py();
161        inner(
162            self,
163            key.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
164        )
165    }
166
167    fn discard<K>(&self, key: K) -> PyResult<bool>
168    where
169        K: IntoPyObject<'py>,
170    {
171        fn inner(set: &Bound<'_, PySet>, key: Borrowed<'_, '_, PyAny>) -> PyResult<bool> {
172            match unsafe { ffi::PySet_Discard(set.as_ptr(), key.as_ptr()) } {
173                1 => Ok(true),
174                0 => Ok(false),
175                _ => Err(PyErr::fetch(set.py())),
176            }
177        }
178
179        let py = self.py();
180        inner(
181            self,
182            key.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
183        )
184    }
185
186    fn add<K>(&self, key: K) -> PyResult<()>
187    where
188        K: IntoPyObject<'py>,
189    {
190        fn inner(set: &Bound<'_, PySet>, key: Borrowed<'_, '_, PyAny>) -> PyResult<()> {
191            err::error_on_minusone(set.py(), unsafe {
192                ffi::PySet_Add(set.as_ptr(), key.as_ptr())
193            })
194        }
195
196        let py = self.py();
197        inner(
198            self,
199            key.into_pyobject_or_pyerr(py)?.into_any().as_borrowed(),
200        )
201    }
202
203    fn pop(&self) -> Option<Bound<'py, PyAny>> {
204        let element = unsafe { ffi::PySet_Pop(self.as_ptr()).assume_owned_or_err(self.py()) };
205        element.ok()
206    }
207
208    fn iter(&self) -> BoundSetIterator<'py> {
209        BoundSetIterator::new(self.clone())
210    }
211}
212
213impl<'py> IntoIterator for Bound<'py, PySet> {
214    type Item = Bound<'py, PyAny>;
215    type IntoIter = BoundSetIterator<'py>;
216
217    /// Returns an iterator of values in this set.
218    ///
219    /// # Panics
220    ///
221    /// If PyO3 detects that the set is mutated during iteration, it will panic.
222    fn into_iter(self) -> Self::IntoIter {
223        BoundSetIterator::new(self)
224    }
225}
226
227impl<'py> IntoIterator for &Bound<'py, PySet> {
228    type Item = Bound<'py, PyAny>;
229    type IntoIter = BoundSetIterator<'py>;
230
231    /// Returns an iterator of values in this set.
232    ///
233    /// # Panics
234    ///
235    /// If PyO3 detects that the set is mutated during iteration, it will panic.
236    fn into_iter(self) -> Self::IntoIter {
237        self.iter()
238    }
239}
240
241/// PyO3 implementation of an iterator for a Python `set` object.
242pub struct BoundSetIterator<'p> {
243    it: Bound<'p, PyIterator>,
244    // Remaining elements in the set. This is fine to store because
245    // Python will error if the set changes size during iteration.
246    remaining: usize,
247}
248
249impl<'py> BoundSetIterator<'py> {
250    pub(super) fn new(set: Bound<'py, PySet>) -> Self {
251        Self {
252            it: PyIterator::from_object(&set).unwrap(),
253            remaining: set.len(),
254        }
255    }
256}
257
258impl<'py> Iterator for BoundSetIterator<'py> {
259    type Item = Bound<'py, super::PyAny>;
260
261    /// Advances the iterator and returns the next value.
262    fn next(&mut self) -> Option<Self::Item> {
263        self.remaining = self.remaining.saturating_sub(1);
264        self.it.next().map(Result::unwrap)
265    }
266
267    fn size_hint(&self) -> (usize, Option<usize>) {
268        (self.remaining, Some(self.remaining))
269    }
270}
271
272impl ExactSizeIterator for BoundSetIterator<'_> {
273    fn len(&self) -> usize {
274        self.remaining
275    }
276}
277
278#[allow(deprecated)]
279#[inline]
280pub(crate) fn new_from_iter<T: ToPyObject>(
281    py: Python<'_>,
282    elements: impl IntoIterator<Item = T>,
283) -> PyResult<Bound<'_, PySet>> {
284    let mut iter = elements.into_iter().map(|e| e.to_object(py));
285    try_new_from_iter(py, &mut iter)
286}
287
288#[inline]
289pub(crate) fn try_new_from_iter<'py, T>(
290    py: Python<'py>,
291    elements: impl IntoIterator<Item = T>,
292) -> PyResult<Bound<'py, PySet>>
293where
294    T: IntoPyObject<'py>,
295{
296    let set = unsafe {
297        // We create the `Bound` pointer because its Drop cleans up the set if
298        // user code errors or panics.
299        ffi::PySet_New(std::ptr::null_mut())
300            .assume_owned_or_err(py)?
301            .downcast_into_unchecked()
302    };
303    let ptr = set.as_ptr();
304
305    elements.into_iter().try_for_each(|element| {
306        let obj = element.into_pyobject_or_pyerr(py)?;
307        err::error_on_minusone(py, unsafe { ffi::PySet_Add(ptr, obj.as_ptr()) })
308    })?;
309
310    Ok(set)
311}
312
313#[cfg(test)]
314mod tests {
315    use super::PySet;
316    use crate::{
317        conversion::IntoPyObject,
318        ffi,
319        types::{PyAnyMethods, PySetMethods},
320        Python,
321    };
322    use std::collections::HashSet;
323
324    #[test]
325    fn test_set_new() {
326        Python::with_gil(|py| {
327            let set = PySet::new(py, [1]).unwrap();
328            assert_eq!(1, set.len());
329
330            let v = vec![1];
331            assert!(PySet::new(py, &[v]).is_err());
332        });
333    }
334
335    #[test]
336    fn test_set_empty() {
337        Python::with_gil(|py| {
338            let set = PySet::empty(py).unwrap();
339            assert_eq!(0, set.len());
340            assert!(set.is_empty());
341        });
342    }
343
344    #[test]
345    fn test_set_len() {
346        Python::with_gil(|py| {
347            let mut v = HashSet::<i32>::new();
348            let ob = (&v).into_pyobject(py).unwrap();
349            let set = ob.downcast::<PySet>().unwrap();
350            assert_eq!(0, set.len());
351            v.insert(7);
352            let ob = v.into_pyobject(py).unwrap();
353            let set2 = ob.downcast::<PySet>().unwrap();
354            assert_eq!(1, set2.len());
355        });
356    }
357
358    #[test]
359    fn test_set_clear() {
360        Python::with_gil(|py| {
361            let set = PySet::new(py, [1]).unwrap();
362            assert_eq!(1, set.len());
363            set.clear();
364            assert_eq!(0, set.len());
365        });
366    }
367
368    #[test]
369    fn test_set_contains() {
370        Python::with_gil(|py| {
371            let set = PySet::new(py, [1]).unwrap();
372            assert!(set.contains(1).unwrap());
373        });
374    }
375
376    #[test]
377    fn test_set_discard() {
378        Python::with_gil(|py| {
379            let set = PySet::new(py, [1]).unwrap();
380            assert!(!set.discard(2).unwrap());
381            assert_eq!(1, set.len());
382
383            assert!(set.discard(1).unwrap());
384            assert_eq!(0, set.len());
385            assert!(!set.discard(1).unwrap());
386
387            assert!(set.discard(vec![1, 2]).is_err());
388        });
389    }
390
391    #[test]
392    fn test_set_add() {
393        Python::with_gil(|py| {
394            let set = PySet::new(py, [1, 2]).unwrap();
395            set.add(1).unwrap(); // Add a dupliated element
396            assert!(set.contains(1).unwrap());
397        });
398    }
399
400    #[test]
401    fn test_set_pop() {
402        Python::with_gil(|py| {
403            let set = PySet::new(py, [1]).unwrap();
404            let val = set.pop();
405            assert!(val.is_some());
406            let val2 = set.pop();
407            assert!(val2.is_none());
408            assert!(py
409                .eval(
410                    ffi::c_str!("print('Exception state should not be set.')"),
411                    None,
412                    None
413                )
414                .is_ok());
415        });
416    }
417
418    #[test]
419    fn test_set_iter() {
420        Python::with_gil(|py| {
421            let set = PySet::new(py, [1]).unwrap();
422
423            for el in set {
424                assert_eq!(1i32, el.extract::<'_, i32>().unwrap());
425            }
426        });
427    }
428
429    #[test]
430    fn test_set_iter_bound() {
431        use crate::types::any::PyAnyMethods;
432
433        Python::with_gil(|py| {
434            let set = PySet::new(py, [1]).unwrap();
435
436            for el in &set {
437                assert_eq!(1i32, el.extract::<i32>().unwrap());
438            }
439        });
440    }
441
442    #[test]
443    #[should_panic]
444    fn test_set_iter_mutation() {
445        Python::with_gil(|py| {
446            let set = PySet::new(py, [1, 2, 3, 4, 5]).unwrap();
447
448            for _ in &set {
449                let _ = set.add(42);
450            }
451        });
452    }
453
454    #[test]
455    #[should_panic]
456    fn test_set_iter_mutation_same_len() {
457        Python::with_gil(|py| {
458            let set = PySet::new(py, [1, 2, 3, 4, 5]).unwrap();
459
460            for item in &set {
461                let item: i32 = item.extract().unwrap();
462                let _ = set.del_item(item);
463                let _ = set.add(item + 10);
464            }
465        });
466    }
467
468    #[test]
469    fn test_set_iter_size_hint() {
470        Python::with_gil(|py| {
471            let set = PySet::new(py, [1]).unwrap();
472            let mut iter = set.iter();
473
474            // Exact size
475            assert_eq!(iter.len(), 1);
476            assert_eq!(iter.size_hint(), (1, Some(1)));
477            iter.next();
478            assert_eq!(iter.len(), 0);
479            assert_eq!(iter.size_hint(), (0, Some(0)));
480        });
481    }
482}