The for...of loop is a powerful and concise way to iterate over elements in JavaScript. It combines the ease of use of forEach loops with the added flexibility to break out of the loop whenever necessary.
The syntax for the for...of loop is as follows:
const list = ['a', 'b', 'c'];
for (const item of list) {
    console.log(item);
}
With this loop, you can easily iterate over each element in the list array and perform any desired actions. In addition to simplicity, the for...of loop allows for precise control over the loop execution flow.
For instance, you can use the break statement to exit the loop at any given point:
const list = ['a', 'b', 'c'];
for (const item of list) {
    console.log(item);
    if (item === 'b') {
        break;
    }
}
In this example, the loop will terminate as soon as the value of item is equal to 'b'. This is particularly useful when you want to stop iteration once a specific condition is met.
Moreover, you can use the continue statement to skip a particular iteration and move to the next one:
const list = ['a', 'b', 'c'];
for (const item of list) {
    if (item === 'b') {
        continue;
    }
    console.log(item);
}
By using continue, the loop will skip over the element with the value 'b' and proceed to the next element. This provides you with the flexibility to manipulate the iteration flow according to your specific requirements.
Furthermore, you can utilize the entries() method to access both the index and value of each iteration:
const list = ['a', 'b', 'c'];
for (const [index, value] of list.entries()) {
    console.log(index); // index
    console.log(value); // value
}
By using destructuring assignment, you can extract the index and value of each element in the list array. This feature is particularly handy when you need to access both properties simultaneously.
Lastly, it’s worth noting that the for...of loop creates a new scope for each iteration. Therefore, it is recommended to use const instead of let for defining the loop variable. This ensures that each iteration has its own block scope and prevents any unintended side effects.
In summary, the for...of loop in JavaScript is a versatile tool for looping through arrays and other iterable objects. Its concise syntax, combined with the ability to break or skip iterations, makes it a favorite choice for many developers. So next time you need to iterate over a collection, give the for...of loop a try and enjoy its simplicity and flexibility.