Loops in JS

Loops in JS

·

3 min read

In JavaScript, loops are used to execute a block of code repeatedly until a certain condition is met. There are several types of loops in JavaScript, including:

  1. for loop: This type of loop is used to iterate over a specific number of times. The syntax for a for loop is as follows:
for (initialization; condition; increment/decrement) {
    // code to be executed
}

For example:

for (let i = 0; i < 5; i++) {
    console.log(i);
}
// Output: 0 1 2 3 4

2. whileloop:

This type of loop is used to execute a block of code repeatedly as long as a certain condition is true. The syntax for a while loop is as follows:

while (condition) {
    // code to be executed
}

For example:

let i = 0;
while (i < 5) {
    console.log(i);
    i++;
}
// Output: 0 1 2 3 4

3. do-whiileloop:

This type of loop is similar to a while loop, but the code inside the loop is executed at least once, before the condition is checked. The syntax for a do-while loop is as follows:

do {
    // code to be executed
} while (condition);

For example:

let i = 0;
do {
    console.log(i);
    i++;
} while (i < 5);
// Output: 0 1 2 3 4

4. for-of loop:

This type of loop is used to iterate over the elements of an iterable objects like arrays, maps, set etc. The syntax for for-of loop is as follows:

for (const element of iterableObject) {
    // code to be executed
}

For example:

let arr = [1, 2, 3, 4, 5];
for (const element of arr) {
    console.log(element);
}
// Output: 1 2 3 4 5

5. for-in loop:

This type of loop is used to iterate over the properties of an object. The syntax for for-in loop is as follows:

for (const property in object) {
    // code to be executed
}

For example:

let person = { name: "John", age: 25, occupation: "Developer" };
for (const property in person) {
    console.log(property);
}
// Output: "name" "age" "occupation"

6. forEach()

This method is used to iterate over an array and execute a callback function for each element in the array. The syntax for the forEach() method is as follows:

array.forEach(function(element, index, array) {
    // code to be executed
});

For example:

let arr = [1, 2, 3, 4, 5];
arr.forEach(function(element) {
    console.log(element);
});
// Output: 1 2 3 4 5

The forEach() method is an easy way to iterate over an array, and it is useful when you want to perform a specific action on each element of an array, like displaying the elements on a webpage, or calculate a sum.

In conclusion, loops are an essential concept in JavaScript programming, they allow you to execute a block of code repeatedly and are used to iterate over arrays, objects, and other data structures. Understanding the different types of loops and how to use them is essential for writing efficient and effective code.