Python | Remove items from Set
In this article, we will try to a way in which the elements can be removed from the set in a sequential manner. Before going into that let’s learn various characteristic of a set. A Set is an unordered collection data type that is iterable, mutable and has no duplicate elements. Python’s set class represents the mathematical notion of a set. The major advantage of using a set, as opposed to a list, is that it has a highly optimized method for checking whether a specific element is contained in the set.
Examples:
Input : set([12, 10, 13, 15, 8, 9]) Output : {9, 10, 12, 13, 15} {10, 12, 13, 15} {12, 13, 15} {13, 15} {15} set() Input : set(['a','b','c','d','e']) Output : {'d', 'c', 'a', 'b'} {'c', 'a', 'b'} {'a', 'b'} {'b'} set()
Using the pop() method
The pop() is an inbuilt method in Python that is used to pop out or remove the elements one by one from the set. The element that is the smallest in the set is removed first followed by removing elements in increasing order. In the following program, the while loop goes onto removing the elements one by one, until the set is empty.
# Python program to remove elements from set # Using the pop() method def Remove(initial_set): while initial_set: initial_set.pop() print (initial_set) # Driver Code initial_set = set ([ 12 , 10 , 13 , 15 , 8 , 9 ]) Remove(initial_set) |
Output:
{9, 10, 12, 13, 15} {10, 12, 13, 15} {12, 13, 15} {13, 15} {15} set()
Please Login to comment...