Python Data Structures : Sets

Learn Python @ Freshers.in

Sets are a versatile and fundamental data structure in Python, designed to handle unique and unordered collections of elements. In this comprehensive article, we’ll delve into Python sets, providing real-world examples and their corresponding outputs for practical learning and efficient data manipulation.

What is a Set?

A set in Python is an unordered collection of unique elements. It is defined by enclosing a comma-separated sequence of items within curly braces {} or by using the set() constructor. Sets are ideal for scenarios where you need to store unique values and perform set operations such as union, intersection, and difference.

Let’s start by exploring the basics of sets:

Creating Sets

# Creating a set using curly braces
my_set = {1, 2, 3, 4, 5}
# Creating a set using the set() constructor
colors = set(['red', 'green', 'blue'])
# Creating an empty set
empty_set = set()

Accessing Set Elements

Sets are unordered collections, so they do not support indexing or slicing like lists or tuples. You can, however, check for membership and iterate through the elements.

# Check if an element is in the set
print(3 in my_set)  # Output: True
# Iterating through elements
for color in colors:
    print(color)

Modifying Sets

Sets are mutable, which means you can add and remove elements.

# Adding elements to a set
my_set.add(6)  # Add a single element
my_set.update({7, 8, 9})  # Add multiple elements
# Removing elements from a set
my_set.remove(3)  # Remove a specific element
my_set.discard(10)  # Remove an element if it exists, without raising an error
# Clearing the entire set
my_set.clear()

Set Operations

Sets support various set operations, such as union, intersection, difference, and symmetric difference.

Union

set1 = {1, 2, 3}
set2 = {3, 4, 5}
union_set = set1.union(set2)  # Union of sets
print(union_set)  # Output: {1, 2, 3, 4, 5}

Intersection

set1 = {1, 2, 3}
set2 = {3, 4, 5}
intersection_set = set1.intersection(set2)  # Intersection of sets
print(intersection_set)  # Output: {3}

Difference

set1 = {1, 2, 3}
set2 = {3, 4, 5}
difference_set = set1.difference(set2)  # Difference of sets
print(difference_set)  # Output: {1, 2}

Symmetric Difference

set1 = {1, 2, 3}
set2 = {3, 4, 5}
symmetric_difference_set = set1.symmetric_difference(set2)  # Symmetric difference of sets
print(symmetric_difference_set)  # Output: {1, 2, 4, 5}

Set Comprehensions

Similar to list comprehensions, you can use set comprehensions to create sets in a concise way.

squares = {x**2 for x in range(5)}
print(squares)  # Output: {0, 1, 4, 9, 16}
Author: user