Skip to content

Iterator

A pattern that hides the internal structure of a collection and only exposes a way to traverse it.

  • When inventory or quest lists should be traversed consistently.
  • When you want collection implementation changes to have less impact.
  • Aggregate
  • Iterator
  • Client

The code below is a simplified Unity example based on the scenario described above.

using System.Collections;
using System.Collections.Generic;
public sealed class InventoryCollection : IEnumerable<InventoryItem>
{
private readonly List<InventoryItem> items = new();
public void Add(InventoryItem item)
{
items.Add(item);
}
public IEnumerator<InventoryItem> GetEnumerator()
{
foreach (InventoryItem item in items)
{
yield return item;
}
}
IEnumerator IEnumerable.GetEnumerator() => GetEnumerator();
}
  • Behavior is separated into smaller units, which reduces the impact of changes.
  • Adding or swapping rules is relatively safe.
  • As the number of objects and indirect calls increases, the flow can become harder to follow.
  • Ordering bugs should be pinned down with tests.

This shows the flow where sequential access is provided without exposing the internal representation.

Iterator Flow