|
| 1 | +# A set is an unordered collection of items. Every element is unique (no duplicates) and must be immutable (which cannot be changed). |
| 2 | +# |
| 3 | +# Operators for Sets |
| 4 | +# Sets and frozen sets support the following operators: |
| 5 | +# |
| 6 | +# key in set-example # containment check |
| 7 | +# |
| 8 | +# key not in set-example # non-containment check |
| 9 | +# |
| 10 | +# set-1 == set-2 # set-1 is equivalent to set-2 |
| 11 | +# |
| 12 | +# set-1 != set-2 # set-1 is not equivalent to set-2 |
| 13 | +# |
| 14 | +# set-1 <= set-2 # set-1is subset of set-2 set-1 < set-2 # set-1 is proper subset of set-2 set-1 >= set-2 # set-1is superset of set-2 |
| 15 | +# |
| 16 | +# set-1 > set-2 # set-1 is proper superset of set-2 |
| 17 | +# |
| 18 | +# set-1 | set-2 # the union of set-1 and set-2 |
| 19 | +# |
| 20 | +# set-1 & set-2 # the intersection of set-1 and set-2 |
| 21 | +# |
| 22 | +# set-1 – set-2 # the set of elements in set-1 but not set-2 |
| 23 | +# |
| 24 | +# set-1 ˆ set-2 # the set of elements in precisely one of set-1 or set-2 |
| 25 | +# |
| 26 | + |
| 27 | +set1=set('abc') |
| 28 | +set2=set('bcd') |
| 29 | + |
| 30 | +output=set1|set2 |
| 31 | +print ("Output for : ", end="") |
| 32 | +print (output) |
| 33 | + |
| 34 | +print("Set1 = ", set1) |
| 35 | +print("Set2 = ", set2) |
| 36 | +print("\n") |
| 37 | + |
| 38 | +# Union of set1 and set2 |
| 39 | +set3 = set1 | set2# set1.union(set2) |
| 40 | +print("Union of Set1 & Set2: Set3 = ", set3) |
| 41 | + |
| 42 | +# Intersection of set1 and set2 |
| 43 | +set4 = set1 & set2# set1.intersection(set2) |
| 44 | +print("Intersection of Set1 & Set2: Set4 = ", set4) |
| 45 | +print("\n") |
| 46 | + |
| 47 | +# Checking relation between set3 and set4 |
| 48 | +if set3 > set4: # set3.issuperset(set4) |
| 49 | + print("Set3 is superset of Set4") |
| 50 | +elif set3 < set4: # set3.issubset(set4) |
| 51 | + print("Set3 is subset of Set4") |
| 52 | +else : # set3 == set4 |
| 53 | + print("Set3 is same as Set4") |
| 54 | + |
| 55 | +# displaying relation between set4 and set3 |
| 56 | +if set4 < set3: # set4.issubset(set3) |
| 57 | + print("Set4 is subset of Set3") |
| 58 | + print("\n") |
| 59 | + |
| 60 | +# difference between set3 and set4 |
| 61 | +set3 = set1 - set2 |
| 62 | +print("Elements in Set1 and not in Set2: Set3 = ", set3) |
| 63 | +print("\n") |
| 64 | + |
| 65 | +# checkv if set4 and set5 are disjoint sets |
| 66 | +if set1.isdisjoint(set2): |
| 67 | + print("Set1 and Set2 have nothing in common\n") |
| 68 | + |
| 69 | +# Removing all the values of set5 |
| 70 | +set1.clear() |
| 71 | + |
| 72 | +print("After applying clear on sets Set5: ") |
| 73 | +print("Set1 = ", set1) |
0 commit comments