Python Set Methods

Introduction to Python Set Methods

In Python, a set is an unordered collection of unique elements. It is a versatile data structure that allows you to perform various operations such as adding, removing, and manipulating elements. Python provides several built-in methods that you can use to work with sets effectively.

1. add()

The add() method adds a single element to a set. If the element is already present in the set, it does not add it again. Here’s an example:


# Create a set
fruits = {'apple', 'banana', 'orange'}

# Add an element to the set
fruits.add('grape')

print(fruits)

Output:


{'apple', 'banana', 'orange', 'grape'}

2. remove()

The remove() method removes a specific element from a set. If the element is not found in the set, it raises a KeyError. Here’s an example:


# Create a set
fruits = {'apple', 'banana', 'orange'}

# Remove an element from the set
fruits.remove('banana')

print(fruits)

Output:


{'apple', 'orange'}

3. clear()

The clear() method removes all elements from a set, making it an empty set. Here’s an example:


# Create a set
fruits = {'apple', 'banana', 'orange'}

# Clear the set
fruits.clear()

print(fruits)

Output:


set()

4. union()

The union() method returns a new set that contains all the elements from two or more sets. It does not modify the original sets. Here’s an example:


# Create sets
set1 = {1, 2, 3}
set2 = {3, 4, 5}

# Perform union operation
union_set = set1.union(set2)

print(union_set)

Output:


{1, 2, 3, 4, 5}

5. intersection()

The intersection() method returns a new set that contains the common elements between two or more sets. It does not modify the original sets. Here’s an example:


# Create sets
set1 = {1, 2, 3}
set2 = {3, 4, 5}

# Perform intersection operation
intersection_set = set1.intersection(set2)

print(intersection_set)

Output:


{3}

6. difference()

The difference() method returns a new set that contains the elements that are present in the first set but not in the second set. It does not modify the original sets. Here’s an example:


# Create sets
set1 = {1, 2, 3}
set2 = {3, 4, 5}

# Perform difference operation
difference_set = set1.difference(set2)

print(difference_set)

Output:


{1, 2}

Conclusion

Python provides a rich set of methods to work with sets. These methods allow you to perform various operations such as adding, removing, and manipulating elements in sets. By using these methods effectively, you can easily handle and process data in a set-based structure.

Scroll to Top