Iteration in JavaScript – The Iterator Pattern, Built-in Iterables, and Standard Data Consumption

Iteration is a foundational pattern for processing data in JavaScript. This article explores the iterator protocol, how to consume iterators using for..of loops and the spread operator, the distinction between iterators and iterables, and how built-in structures like arrays, strings, maps, and sets support standardized iteration. It also shows how to customize iteration for your own data structures.

spreadfor..ofiterableiterator

~2 min read • Updated Oct 20, 2025

Introduction


Programs are built to process data, and the patterns used to iterate over that data greatly affect readability. The iterator pattern provides a standardized way to consume data one piece at a time, rather than all at once.


The Iterator Pattern


An iterator is a data structure that references a source and exposes a next() method. Each call to next() returns an object with value and done properties. Iteration continues until done becomes true.


Consuming Iterators with for..of


ES6 introduced the for..of loop for consuming iterators:


for (let val of it) {
  console.log(`Iterator value: ${val}`);
}

This loop is cleaner and more readable than manual iteration.


Using the Spread Operator


The ... operator also consumes iterators — either into arrays or function arguments:


var vals = [ ...it ];
doSomethingUseful(...it);

In both cases, the iterator is fully consumed and its values are spread into the target context.


What Is an Iterable?


An iterable is a value that can be iterated over. Each time it’s consumed, a new iterator instance is created. Built-in iterables in JS include arrays, strings, maps, sets, and more.


Examples of Iteration


var arr = [10, 20, 30];
for (let val of arr) {
  console.log(`Array value: ${val}`);
}

var greeting = "Hello world!";
var chars = [ ...greeting ];
// ["H", "e", "l", "l", "o", " ", "w", "o", "r", "l", "d", "!"]

Iterating Over Maps


Maps iterate over entries — key/value pairs:


for (let [btn, btnName] of buttonNames) {
  btn.addEventListener("click", () => {
    console.log(`Clicked ${btnName}`);
  });
}

Customizing Iteration


You can use keys(), values(), or entries() to control what gets iterated:


for (let btnName of buttonNames.values()) {
  console.log(btnName);
}

for (let [idx, val] of arr.entries()) {
  console.log(`[${idx}]: ${val}`);
}

Standardizing Iteration


By following the iteration protocol, you can make your own data structures compatible with for..of and .... This leads to more readable and consistent code across your application.


Conclusion


Iteration in JavaScript is standardized through the iterator protocol and built-in iterable structures. Using for..of and the spread operator makes data consumption intuitive and clean. Understanding and applying these patterns is essential for writing modern, maintainable JS code.


Written & researched by Dr. Shahin Siami