Nov-10-2024, 05:30 AM
for i in range(2): print("Hello")I'd like some help regarding how this actually works.
Here's what I think is going on:
1. The loop counter, i, is assigned a value. With Python, unless otherwise specified, i = 0
2. Python checks if i >= 2. It isn't and so it executes the commands (here it is simply to print Hello) in the loop. We see a Hello.
3. Python increments i i.e. i = i + 1. That's i = 0 + 1 = 1
4. Python checks if i >= 2. It isn't and so it executes the loop once more. We see one more Hello
5. Python increments i i.e. i = i + 1. That's i = 1 + 1 = 2
6. Python checks if i >= 2. It is and so it exits the loop
The end result is that the For Loop executed the Loop twice, just as we wanted by giving 2 as the argument for range in the For Loop.
Now I tried the following:
for i in range(1, 3): print("Hello")It has the same output, 2 Hellos.
This is what I think is going on:
1. Python assigns i = 1.
2. Python checks if i >= 3. It isn't. So it prints Hello
3. Python increments i i.e. i = i + 1. That's i = 1 + 1 = 2
4. Python checks if i >= 3. It isn't. So it prints Hello
5. Python increments i i.e. i = i + 1. That's i = 2 + 1 = 3
6. Python checks if i >= 3. It is. So it exits the loop
My conclusion is Python checks for the stop/exit loop condition BEFORE it executes the loop.
Is this correct? Are there any helpful shortcuts to remember how many times a loop gets executed when we specify the start and stop conditions?
Thank you.