-
Notifications
You must be signed in to change notification settings - Fork 16.9k
/
Copy path9_for_exercise.py
80 lines (69 loc) · 2.29 KB
/
9_for_exercise.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
75
76
77
78
79
80
# ## Exercise: Python for loop
# 1. After flipping a coin 10 times you got this result,
# ```
# result = ["heads","tails","tails","heads","tails","heads","heads","tails","tails","tails"]
# ```
# Using for loop figure out how many times you got heads
print("\nExercise 1\n")
result = ["heads","tails","tails","heads","tails","heads","heads","tails","tails","tails"]
count = 0
for item in result:
if item == "heads":
count += 1
print("Heads count: ",count)
# 2. Print square of all numbers between 1 to 10 except even numbers
print("\nExercise 2\n")
for i in range(1,11):
if i % 2 == 0:
continue
print(i*i)
# 3. Your monthly expense list (from Jan to May) looks like this,
# ```
# expense_list = [2340, 2500, 2100, 3100, 2980]
# ```
# Write a program that asks you to enter an expense amount and program
# should tell you in which month that expense occurred. If expense is not
# found then it should print that as well.
print("\nExercise 3\n")
month_list = ["January", "February", "March", "April", "May"]
expense_list = [2340, 2500, 2100, 3100, 2980]
e = input("Enter expense amount: ")
e = int(e)
month = -1
for i in range(len(expense_list)):
if e == expense_list[i]:
month = i
break
if month != -1:
print(f'You spent {e} in {month_list[month]}')
else:
print(f'You didn\'t spend {e} in any month')
# 4. Lets say you are running a 5 km race. Write a program that,
# 1. Upon completing each 1 km asks you "are you tired?"
# 2. If you reply "yes" then it should break and print "you didn't finish the race"
# 3. If you reply "no" then it should continue and ask "are you tired" on every km
# 4. If you finish all 5 km then it should print congratulations message
print("\nExercise 4\n")
for i in range(5):
print(f"You ran {i+1} miles") # i starts with zero hence adding 1
tired = input("Are you tired? ")
if tired == 'yes':
break
if i == 4: # 4 because the index starts from 0
print("Hurray! You are a rock star! You just finished 5 km race!")
else:
print(f"You didn't finish 5 km race but hey congrats anyways! You still ran {i+1} miles")
# 5. Write a program that prints following shape
# ```
# *
# **
# ***
# ****
# *****
# ```
print("\nExercise 5\n")
for i in range(1,6):
s = ''
for j in range(i):
s += '*'
print(s)