ELI5: Explain Like I'm 5

While loop

A while loop is like playing a game where you keep doing something until you reach a certain point. Imagine playing a game where you have to jump up and down until you reach 10 points. You would start at 0 points and keep jumping up and down until you reach 10 points.

In programming, a while loop works the same way. You write a set of instructions, and the computer keeps following those instructions until it reaches a certain condition. The instructions could be anything, like printing out numbers or asking for user input.

For example, let's say we write a while loop to print out the numbers 1 to 5. The computer starts at 1 and keeps counting up until it reaches 5. Then, the loop stops.

Here's what that while loop might look like:

```
x = 1

while x <= 5:
print(x)
x = x + 1
```

Let's break it down:

- `x = 1` sets the starting point at 1.
- `while x <= 5:` means keep doing these instructions as long as x is less than or equal to 5.
- `print(x)` prints out the current value of x.
- `x = x + 1` adds 1 to the current value of x so it will eventually reach 5.

So, the computer starts at 1, prints it out, adds 1 to make x 2, prints it out, adds 1 to make x 3, and so on until x reaches 5. Once x is 5, the loop stops because x is no longer less than or equal to 5.

And that's a while loop! It's like playing a game until you reach a certain point.