pythonsetadd
# Python set add method
The `add` method in Python is used to add an element to a set. A set is a collection of unique elements in Python. The `add` method adds the specified element to the set if it is not already present.
Syntax: `set.add(element)`
Parameters:
- `element`: The element that you want to add to the set.
Return Value:
The `add` method does not return any value. It only modifies the set by adding the specified element.
Example:
Let's consider a simple example to illustrate the usage of the `add` method:
```python
# Create a set
my_set = {1
2
3}
# Add an element to the set
my_set.add(4)
# Print the updated set
print(my_set)
```
Output:
```
{1
2
3
4}
```
In the above example
we first create a set `my_set` with elements 1
2
and 3. Then
we use the `add` method to add the element 4 to the set. Finally
we print the updated set which now includes the element 4.
Now
let's write a program using the `add` method to add 1000 random integers to a set and then print the set:
```python
import random
# Create an empty set
my_set = set()
# Add 1000 random integers to the set
for i in range(1000):
my_set.add(random.randint(1
1000))
# Print the set
print(my_set)
```
In the above program
we first import the `random` module to generate random integers. Then
we create an empty set `my_set`. We use a loop to add 1000 random integers (between 1 and 1000) to the set using the `add` method. Finally
we print the set which now contains 1000 unique random integers.
In conclusion
the `add` method in Python is a convenient way to add elements to a set. It ensures that only unique elements are present in the set
making it useful for various applications where uniqueness is a requirement.