I’m trying to polish my Python skills and this made me confused. Here’s the code:
JavaScript
x
11
11
1
greeting = 'Hello!'
2
count = 0
3
4
for letter in greeting:
5
count += 1
6
if count % 2 == 0:
7
print(letter)
8
print(letter)
9
10
print('done')
11
I don’t understand what the count does.
Advertisement
Answer
Let’s comment up the code with explanations of what each line does and then examine the output.
JavaScript
1
28
28
1
# assign the string 'Hello!' to the name greeting
2
greeting = 'Hello!'
3
# assign the number 0 to the name count
4
count = 0
5
6
# assign letter to each character in greeting one at a time.
7
# in the first run of the loop, letter would be 'H', then 'e',
8
# etc.
9
for letter in greeting:
10
# add one to count. count starts at 0, so after this line
11
# on the first run of the loop, it becomes 1, then 2, etc.
12
count += 1
13
# use the modulo operator (%) to get the remainder after
14
# dividing count by 2, and compare the result to 0. this
15
# is a standard way of determining if a number is even.
16
# the condition will evaluate to True at 0, 2, 4, etc.
17
if count % 2 == 0:
18
# when count is even, print letter once followed by a
19
# new line. note that to not print a new line, you can
20
# write print(letter, end="")
21
print(letter)
22
# print letter once followed by a new line regardless of the
23
# value of count
24
print(letter)
25
26
# print 'done' followed by a new line
27
print('done')
28
So, based on all that, what should we expect the output to be? Well, we know that every character of greeting
will be printed in the last line of the loop. We also know that every even character of greeting
will be printed twice, once inside the if
block, and once at the end of the loop. Finally, we know that “done” will be printed after the loop is complete. Therefore, we should expect the following output:
JavaScript
1
11
11
1
H
2
e
3
e
4
l
5
l
6
l
7
o
8
!
9
!
10
done
11