-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathPython_set.py
74 lines (41 loc) · 1.31 KB
/
Python_set.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
# Sets in Python -> it does not have duplicate items
# Unordered
# Unordered means that the items in a set do not have a defined order.
# Set items can appear in a different order every time you use them, and cannot be referred to by index or key.
# Unchangeable
# Set items are unchangeable, meaning that we cannot change the items after the set has been created.
myset = {"apple","banana",1,1,12,3,4}
# print the set
print(myset)
# print the type of set
print(type(myset))
# print the length of the set
print(len(myset))
# print the data of the set
for elements in myset:
print(elements)
# check if the item is present in the set or not
# print(1 in myset) print true
print(10 in myset) #print false
# add elements to the set
print(myset)#before adding elements
myset.add("orange")
print(myset)#after adding elements
thisset = {"apple", "banana", "cherry"}
tropical = {"pineapple", "mango", "papaya"}
thisset.update(tropical)
print(thisset)
mylist = ["kiwi", "orange"]
thisset.update(mylist)
print(thisset)
# remove element from the set
thisset.remove("banana")
thisset.discard("orange")
print(thisset)
# Remove a random item by using the pop() method:
myset.pop()
# Erase all the elements of the set
thisset.clear()
# The del keyword will delete the set completely:
del thisset
print(thisset)