Iterator

Posted by Dustin Boston .


CAUTION

Construction Area
Watch out for:

  • Broken code
  • No comments
  • Partial examples
  • Missing tests
A C C C g r o r g e n e r a c a e t r t g e e e a I t I t t e t e e A e r g r a g a t r t o e o r g r ( a ) t e r e C t l u i r e n n t n e w C o n c r e I F N I C C t t i e s u o e e r x D r n I r s t o r c t a t ( n e r e t ( ) e n e r o ) ( t t a r ) I e t t I o e t r m e ( ( r t ) a h t i o s r )

Source Code Listing

code.ts

export type Iterator<T> = {
  first(): void;
  next(): void;
  isDone(): boolean;
  currentItem(): T | undefined; // Return undefined if done
};

export class ConcreteIterator<T> implements Iterator<T> {
  private current = 0; // Initialize current

  constructor(private readonly list: List<T>) {}

  first(): void {
    this.current = 0;
  }

  next(): void {
    this.current++;
  }

  isDone(): boolean {
    return this.current >= this.list.count();
  }

  currentItem(): T | undefined {
    if (this.isDone()) {
      return undefined; // Or throw an error if you prefer
    }

    return this.list.get(this.current);
  }
}

export type Aggregate<T> = {
  createIterator(items: Record<string, T>): Iterator<T>;
};

export class List<T> {
  private readonly items: T[] = [];

  append(item: T): void {
    this.items.push(item);
  }

  get(index: number): T {
    return this.items[index];
  }

  count(): number {
    return this.items.length;
  }
}

export class ConcreteAggregate<T> implements Aggregate<T> {
  createIterator(items: Record<string, T>): Iterator<T> {
    const list = new List<T>();
    for (const key in items) {
      if (Object.hasOwn(items, key)) {
        // Important: Check for own properties
        const value = items[key];
        list.append(value);
      }
    }

    return new ConcreteIterator<T>(list);
  }
}

// Example usage:
//
// const client = {
//   run<T>(items: Record<string, T>): T[] {
//     const aggregate = new ConcreteAggregate<T>();
//     const iterator = aggregate.createIterator(items);

//     const result: T[] = [];
//     while (!iterator.isDone()) {
//       const current = iterator.currentItem();
//       if (current !== undefined) {
//         // Check for undefined before using current
//         // Do something with the item here...
//         result.push(current);
//       }

//       iterator.next(); // Move to the next item *after* processing the current one
//     }

//     return result;
//   },
// };

// // Example usage:
// const items = {a: 1, b: 2, c: 3}; // Example items
// const result = client.run(items);
// console.log(result); // Output:

// const items2 = {x: "hello", y: "world"};
// const result2 = client.run(items2);
// console.log(result2); // Output: ["hello", "world"]