Loops are one of the main and essential tools in programming that allow us to repeat blocks of code. In fact, loops are a mechanism we need to execute a task multiple times. In JavaScript, there are different types of loops, one of the most commonly used is the for
loop. In this guide, we aim to better understand this loop.
The for
loop in JavaScript allows us to execute a block of code a specific number of times. The structure of this loop consists of three main parts: initialization, condition, and increments or decrements. These three parts are specified within the parentheses, and in the direction of the for
loop, they will be defined. For example:
Using the for
loop is particularly useful when the number of iterations is fixed and predetermined. This type of loop allows for greater control over the iterations and makes the code cleaner.
for (let i = 0; i < 5; i++) {\r\n console.log("Number: " + i);\r\n}
let i = 0;
In this line, the variable i
is declared and its initial value is set to zero. This specifies the number of iterations of the loop.
i < 5;
This is the condition that defines when the loop will continue executing. The loop will keep running as long as the variable i
is less than 5.
i++
This part increments the variable i
by one after each iteration of the loop.
console.log("Number: " + i);
In each iteration, the current value of i
is displayed in the console along with the string "Number:".