TypeScript Iterators
last modified March 3, 2025
Iterators in TypeScript provide a way to traverse collections like arrays, maps, 
and sets. They implement the Iterable and Iterator 
protocols, enabling custom iteration logic. This tutorial explores iterators, 
generators, and practical examples.
Basic Iterator Protocol
An iterator must implement the next() method, which returns an 
object with value and done properties. This example 
shows a simple iterator.
const numbers = [1, 2, 3];
const iterator = numbers[Symbol.iterator]();
console.log(iterator.next()); // { value: 1, done: false }
console.log(iterator.next()); // { value: 2, done: false }
console.log(iterator.next()); // { value: 3, done: false }
console.log(iterator.next()); // { value: undefined, done: true }
The Symbol.iterator method returns an iterator object. The 
next() method advances the iterator and returns the current value.
Custom Iterators
You can create custom iterators by implementing the Iterable 
interface. This example defines a custom range iterator.
class Range implements Iterable<number> {
    constructor(private start: number, private end: number) {}
    [Symbol.iterator](): Iterator<number> {
        let current = this.start;
        return {
            next: () => {
                return current <= this.end
                    ? { value: current++, done: false }
                    : { value: undefined, done: true };
            }
        };
    }
}
const range = new Range(1, 3);
for (const num of range) {
    console.log(num); // Output: 1, 2, 3
}
The Range class implements the Iterable interface. The 
Symbol.iterator method returns an iterator object.
Generators
Generators simplify iterator creation using the function* syntax. 
They automatically implement the iterator protocol.
function* generateSequence(start: number, end: number) {
    for (let i = start; i <= end; i++) {
        yield i;
    }
}
const sequence = generateSequence(1, 3);
for (const num of sequence) {
    console.log(num); // Output: 1, 2, 3
}
The yield keyword pauses execution and returns a value. Generators 
are ideal for lazy evaluation.
Iterating Over Maps
Maps are iterable by default. This example demonstrates iterating over a map's keys, values, and entries.
const map = new Map([
    ['a', 1],
    ['b', 2],
    ['c', 3]
]);
for (const [key, value] of map) {
    console.log(`${key}: ${value}`); // Output: a: 1, b: 2, c: 3
}
Maps provide built-in iterators for keys, values, and entries. Use destructuring to access key-value pairs.
Iterating Over Sets
Sets are also iterable. This example shows how to iterate over a set's values.
const set = new Set([1, 2, 3]);
for (const value of set) {
    console.log(value); // Output: 1, 2, 3
}
Sets store unique values and provide a simple iterator for traversal.
Async Iterators
Async iterators enable asynchronous data traversal. This example uses an async generator to fetch data.
async function* fetchData(urls: string[]) {
    for (const url of urls) {
        const response = await fetch(url);
        yield response.json();
    }
}
(async () => {
    const urls = ['https://api.example.com/data1', 'https://api.example.com/data2'];
    for await (const data of fetchData(urls)) {
        console.log(data);
    }
})();
Async iterators use for await...of to handle asynchronous data 
streams. They are useful for APIs and databases.
Combining Iterators
You can combine multiple iterators using utility functions. This example merges two arrays into a single iterator.
function* mergeIterators<T>(...iterators: Iterable<T>[]) {
    for (const iterator of iterators) {
        yield* iterator;
    }
}
const merged = mergeIterators([1, 2], [3, 4]);
for (const num of merged) {
    console.log(num); // Output: 1, 2, 3, 4
}
The yield* keyword delegates iteration to another iterable. This 
pattern is useful for combining data sources.
Best Practices
- Use Generators: Prefer generators for custom iterators
- Lazy Evaluation: Leverage lazy evaluation for performance
- Async Iterators: Use async iterators for asynchronous data
- Combine Iterators: Merge iterators for complex data flows
- Type Safety: Ensure iterators return consistent types
Source
TypeScript Iterators Documentation
This tutorial covered TypeScript iterators with practical examples. Use these patterns to handle collections and asynchronous data efficiently.
Author
List all TypeScript tutorials.