-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path51.Destructing_Variables
51 lines (35 loc) · 1.02 KB
/
51.Destructing_Variables
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
# -- Destructuring in for loops --
hero_missions = {"Batman": 87, "Superman": 8, "Spiderman": 46}
for hero, mission in hero_missions.items():
print(f"{hero}: {mission}")
"""
#Output:-
Batman: 87
Superman: 8
Spiderman: 46
"""
# -- Another example --
people = [("Batman", 42, "Mechanic"), ("Aquaman", 24, "Artist"), ("Captain", 32, "Lecturer")]
for name, age, role in people:
print(f"Name: {name}, Age: {age}, Role: {role}")
"""
#Output:-
Name: Batman, Age: 42, Role: Mechanic
Name: Aquaman, Age: 24, Role: Artist
Name: Captain, Age: 32, Role: Lecturer
"""
# -- Another way for the above one --
for person in people:
print(f"Name: {person[0]}, Age: {person[1]}, Role: {person[2]}")
# -- Ignoring values with underscore --
person = ("Wonderwoman", 66, "Saviour")
name, _, profession = person
print(name, profession)
#Output: Wonderwoman Saviour
# -- Collecting values --
head, *tail = [1, 2, 3, 4, 5]
print(head) # 1
print(tail) # [2, 3, 4, 5]
*head, tail = [1, 2, 3, 4, 5]
print(head) # [1, 2, 3, 4]
print(tail) # 5