Loops
Ever needed to repeat a set of code? Were you tempted to do something like this?
As you can tell, this is hideous. Programmers generally make their code as simple and easily modifiable as possible— and this isn't either.
This is what loops are for! Loops repeat a set of code any number of times. You can remake all of that code with five lines of code.
This specific one is a while loop. Conveniently we'll go over it right below!
While Loops
Let's start this off with the simplest— while loops. While loops loop while a condition is true. They're basically if-statements but instead of running once, they repeat their code until the condition is false.
Here's the syntax of a while loop:
condition
- a boolean. When whatever's in here is true, the loop will repeat.
[This applies to all loops]. If your condition is never reached, your code will not stop looping. And if the condition is met before your loop even gets a chance to run, it won't do anything.
For loops are like while loops, but their condition is slightly different. Notice back up in the example, where I had to manually declare the variable var. For loops do it for us!
The syntax of a for loop is:
There are three parts of a for loop:
Counter
This part runs right before the loop begins, and the for loop uses it to count how many times it ran. Because it's a variable, you can access it and do cool things with it. However, you can only access the variable from inside the for loop, and it's unusable after the loop is finished.
Goal
All goal
holds is a boolean. It's like the condition
part back up in the while loop. Unlike while loops, we use this to check if the counter
is a specific value.
Updater
The updater runs after the loop iterates (repeats). Its main purpose is to update the Counter
variable, and make sure that it reaches the goal
.
If we go back to that example of the while loop, we can create one using a for loop, but with even less lines of code! It also looks a lot cleaner!
If you want an explanation, we're setting a counter variable i to 0. Every time the loop runs, we check if this variable is less than 9. To make sure that the loop stops somehow, we'll add 1 to it every time it loops.
Side Tangent— break
When you call break
in a loop, the code stops the code no matter what. Even if the code hasn't finished running its body code, it will ignore the rest of the body code.
Break is generally used as a last-resort, when something wrong happened in your code like an infinite loop. Using break improperly will also summon the presence of the Mulk.
Last updated