-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathPart 3 - Loops with Conditions.py
124 lines (96 loc) · 2.34 KB
/
Part 3 - Loops with Conditions.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
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
# The general structure of the while statement with a condition is as follows:
# while <condition>:
# <block>
# In the following loop we have the condition number < 10. The block within the loop is executed only if the variable number is less than 10.
number = int(input("Please type in a number: "))
while number < 10:
print(number)
number += 1
print("Execution finished.")
# Print even numbers from 2 to 30
even = 2
while even <= 30:
print(even)
even += 2
# Countdown to 1
print("Are you ready?")
number = int(input("Please type in a number: "))
while number > 0:
print(number)
number -= 1
print("Now!")
# Count up from 1 to specified number
number = int(input("Upper limit: "))
start = 1
while start < number:
print(start)
start += 1
# Count up from 1 to specified number - Approach 2
number = int(input("Upper limit: "))
diff = number - 1
while diff >= 0:
print(number - diff)
diff -= 1
# Power of Twos - Approach 1
limit = int(input("Upper limit: "))
number = 1
while number <= limit:
print(number)
number *= 2
# Power of Twos - Approach 2
limit = int(input("Upper limit: "))
power = 0
test = 0
while test <= limit:
result = 2 ** power
print(result)
power += 1
test = 2 ** (power)
# Power of base n - Approach 1
limit = int(input("Upper limit: "))
base = int(input("Base: "))
number = 1
while number <= limit:
print(number)
number *= base
# Power of base n - Approach 1
limit = int(input("Upper limit: "))
base = int(input("Base: "))
power = 0
test = 0
while test <= limit:
result = base ** power
print(result)
power += 1
test = base ** (power)
# The sum of consecutive numbers, version 1
limit = int(input("Limit: "))
start = 1
sums = 1
while sums < limit:
start += 1
sums = sums + start
print(sums)
# The sum of consecutive numbers, version 2
# Approach 1
limit = int(input("Limit: "))
number = 1
sum = 1
numbers = "1"
while sum < limit:
number += 1
sum += number
# note that f-string can also be used like this
numbers += f" + {number}"
print(f"The consecutive sum: {numbers} = {sum}")
# Approach 2
limit = int(input("Limit: "))
start = 1
sums = 1
calculation = "The consecutive sum: 1"
while sums < limit:
start += 1
calculation += f" + {start}"
sums = sums + start
calculation += f" = {sums}"
print(calculation)