T-CREATOR

TypeScript Recursive Types で実現する複雑なデータ構造の型定義

TypeScript Recursive Types で実現する複雑なデータ構造の型定義

TypeScript で複雑なデータ構造を扱う際、従来の型定義では表現しきれない階層的な構造に直面することがあります。そんな時に威力を発揮するのが Recursive Types(再帰型) です。

再帰型を活用することで、木構造やリスト、グラフといった複雑なデータ構造を型レベルで安全に表現できるようになります。本記事では、実際のデータ構造実装を通じて、再帰型の実践的な活用方法を詳しく解説していきます。

基本的な再帰型の理解

再帰型の定義と原理

再帰型とは、自分自身を参照する型定義のことです。数学の再帰的定義と同様に、基本ケースと再帰ケースを組み合わせて複雑な構造を表現します。

typescript// 最もシンプルな再帰型の例
type RecursiveArray<T> = T | RecursiveArray<T>[];

// 使用例
type NestedNumbers = RecursiveArray<number>;
const example: NestedNumbers = [1, [2, 3], [[4, 5], 6]]; // 任意の深さの配列

この例では、RecursiveArray<T> が自分自身を参照することで、任意の深さのネストした配列を表現しています。

TypeScript における再帰型の制限と TailRecursion 問題

TypeScript の再帰型には重要な制限があります。コンパイル時の無限ループを防ぐため、再帰深度に制限が設けられています。

typescript// 深すぎる再帰は型エラーになる
type DeepNesting<T, N extends number = 0> = N extends 50
  ? never
  : T | DeepNesting<T[], [...Array<N>, unknown]['length']>;

// エラー例:Type instantiation is excessively deep and possibly infinite.

この制限を理解し、適切に対処する方法を学ぶことが重要です。

typescript// 制限を回避するための段階的展開
type SafeRecursive<
  T,
  Depth extends number = 0
> = Depth extends 10
  ? T // 再帰終了
  :
      | T
      | SafeRecursive<
          T[],
          Depth extends number
            ? [...Array<Depth>, unknown]['length']
            : 0
        >;

実践的な再帰型パターン

実際の開発でよく使われる再帰型のパターンをご紹介します:

typescript// JSON値の型定義
type JsonValue =
  | string
  | number
  | boolean
  | null
  | JsonValue[]
  | { [key: string]: JsonValue };

// 設定オブジェクトの型定義
type ConfigValue = string | number | boolean | ConfigObject;
type ConfigObject = { [key: string]: ConfigValue };

// 使用例
const config: ConfigObject = {
  database: {
    host: 'localhost',
    port: 5432,
    options: {
      ssl: true,
      timeout: 30000,
    },
  },
};

木構造の型定義

木構造は再帰型の最も代表的な応用例です。Binary Tree と N-ary Tree の実装を通じて、実践的な型定義手法を学びましょう。

Binary Tree・N-ary Tree の実装

まず、基本的な Binary Tree の型定義から始めます:

typescript// Binary Tree ノードの定義
interface TreeNode<T> {
  value: T;
  left?: TreeNode<T>;
  right?: TreeNode<T>;
}

// Tree 全体を表す型
type BinaryTree<T> = TreeNode<T> | null;

// 使用例
const numberTree: BinaryTree<number> = {
  value: 10,
  left: {
    value: 5,
    left: { value: 3 },
    right: { value: 7 },
  },
  right: {
    value: 15,
    right: { value: 20 },
  },
};

次に、より柔軟な N-ary Tree を実装します:

typescript// N-ary Tree の定義
interface NaryTreeNode<T> {
  value: T;
  children: NaryTreeNode<T>[];
}

type NaryTree<T> = NaryTreeNode<T> | null;

// ファイルシステムの例
interface FileSystemNode {
  name: string;
  type: 'file' | 'directory';
  children: FileSystemNode[];
  size?: number;
}

const fileSystem: FileSystemNode = {
  name: 'root',
  type: 'directory',
  children: [
    {
      name: 'src',
      type: 'directory',
      children: [
        {
          name: 'index.ts',
          type: 'file',
          children: [],
          size: 1024,
        },
        {
          name: 'utils.ts',
          type: 'file',
          children: [],
          size: 512,
        },
      ],
    },
    {
      name: 'package.json',
      type: 'file',
      children: [],
      size: 256,
    },
  ],
};

Tree traversal 操作の型安全な実装

木構造の走査操作を型安全に実装する方法を見ていきます:

typescript// 深度優先探索(DFS)の型安全実装
class TreeTraversal {
  static dfsPreOrder<T>(
    node: TreeNode<T> | null,
    visit: (value: T) => void
  ): void {
    if (!node) return;

    visit(node.value);
    this.dfsPreOrder(node.left, visit);
    this.dfsPreOrder(node.right, visit);
  }

  static dfsInOrder<T>(
    node: TreeNode<T> | null,
    visit: (value: T) => void
  ): void {
    if (!node) return;

    this.dfsInOrder(node.left, visit);
    visit(node.value);
    this.dfsInOrder(node.right, visit);
  }

  static dfsPostOrder<T>(
    node: TreeNode<T> | null,
    visit: (value: T) => void
  ): void {
    if (!node) return;

    this.dfsPostOrder(node.left, visit);
    this.dfsPostOrder(node.right, visit);
    visit(node.value);
  }
}

// 使用例
const values: number[] = [];
TreeTraversal.dfsInOrder(numberTree, (value) =>
  values.push(value)
);
console.log(values); // [3, 5, 7, 10, 15, 20]

検索・挿入・削除操作の型定義

Binary Search Tree の操作を型安全に実装します:

typescriptclass BinarySearchTree<T> {
  private root: TreeNode<T> | null = null;

  // 挿入操作の型定義
  insert(value: T): void {
    this.root = this.insertNode(this.root, value);
  }

  private insertNode(
    node: TreeNode<T> | null,
    value: T
  ): TreeNode<T> {
    if (!node) {
      return { value };
    }

    if (value < node.value) {
      node.left = this.insertNode(node.left, value);
    } else if (value > node.value) {
      node.right = this.insertNode(node.right, value);
    }

    return node;
  }

  // 検索操作の型定義
  search(value: T): TreeNode<T> | null {
    return this.searchNode(this.root, value);
  }

  private searchNode(
    node: TreeNode<T> | null,
    value: T
  ): TreeNode<T> | null {
    if (!node || node.value === value) {
      return node;
    }

    if (value < node.value) {
      return this.searchNode(node.left, value);
    } else {
      return this.searchNode(node.right, value);
    }
  }

  // 削除操作の型定義
  delete(value: T): void {
    this.root = this.deleteNode(this.root, value);
  }

  private deleteNode(
    node: TreeNode<T> | null,
    value: T
  ): TreeNode<T> | null {
    if (!node) return null;

    if (value < node.value) {
      node.left = this.deleteNode(node.left, value);
    } else if (value > node.value) {
      node.right = this.deleteNode(node.right, value);
    } else {
      // 削除対象のノードを発見
      if (!node.left && !node.right) {
        return null; // 葉ノード
      } else if (!node.left) {
        return node.right; // 右の子のみ
      } else if (!node.right) {
        return node.left; // 左の子のみ
      } else {
        // 両方の子を持つ場合
        const minRight = this.findMin(node.right);
        node.value = minRight.value;
        node.right = this.deleteNode(
          node.right,
          minRight.value
        );
      }
    }

    return node;
  }

  private findMin(node: TreeNode<T>): TreeNode<T> {
    while (node.left) {
      node = node.left;
    }
    return node;
  }
}

// 使用例
const bst = new BinarySearchTree<number>();
bst.insert(10);
bst.insert(5);
bst.insert(15);
bst.insert(3);
bst.insert(7);

const found = bst.search(7); // TreeNode<number> | null
console.log(found?.value); // 7

リスト構造の高度な型表現

リスト構造も再帰型の重要な応用分野です。単方向・双方向リストの実装を通じて、より高度な型定義技法を学びましょう。

単方向・双方向リストの型定義

まず、単方向リストの基本的な型定義から始めます:

typescript// 単方向リストノードの定義
interface ListNode<T> {
  value: T;
  next?: ListNode<T>;
}

// リスト全体を表す型
type LinkedList<T> = ListNode<T> | null;

// 双方向リストノードの定義
interface DoublyListNode<T> {
  value: T;
  next?: DoublyListNode<T>;
  prev?: DoublyListNode<T>;
}

type DoublyLinkedList<T> = DoublyListNode<T> | null;

LinkedList の操作メソッドの型安全実装

LinkedList クラスの完全な型安全実装を見ていきます:

typescriptclass TypeSafeLinkedList<T> {
  private head: ListNode<T> | null = null;
  private size: number = 0;

  // 先頭に要素を追加
  prepend(value: T): void {
    const newNode: ListNode<T> = { value, next: this.head };
    this.head = newNode;
    this.size++;
  }

  // 末尾に要素を追加
  append(value: T): void {
    const newNode: ListNode<T> = { value };

    if (!this.head) {
      this.head = newNode;
    } else {
      let current = this.head;
      while (current.next) {
        current = current.next;
      }
      current.next = newNode;
    }
    this.size++;
  }

  // 指定位置に要素を挿入
  insertAt(index: number, value: T): boolean {
    if (index < 0 || index > this.size) return false;

    if (index === 0) {
      this.prepend(value);
      return true;
    }

    const newNode: ListNode<T> = { value };
    let current = this.head;

    for (let i = 0; i < index - 1 && current; i++) {
      current = current.next || null;
    }

    if (current) {
      newNode.next = current.next;
      current.next = newNode;
      this.size++;
      return true;
    }

    return false;
  }

  // 要素を削除
  remove(value: T): boolean {
    if (!this.head) return false;

    if (this.head.value === value) {
      this.head = this.head.next || null;
      this.size--;
      return true;
    }

    let current = this.head;
    while (current.next && current.next.value !== value) {
      current = current.next;
    }

    if (current.next) {
      current.next = current.next.next || null;
      this.size--;
      return true;
    }

    return false;
  }

  // 要素を検索
  find(value: T): ListNode<T> | null {
    let current = this.head;
    while (current) {
      if (current.value === value) {
        return current;
      }
      current = current.next || null;
    }
    return null;
  }

  // リストを配列に変換
  toArray(): T[] {
    const result: T[] = [];
    let current = this.head;
    while (current) {
      result.push(current.value);
      current = current.next || null;
    }
    return result;
  }

  // リストのサイズを取得
  getSize(): number {
    return this.size;
  }

  // リストが空かどうか判定
  isEmpty(): boolean {
    return this.size === 0;
  }
}

// 使用例
const list = new TypeSafeLinkedList<string>();
list.append('apple');
list.append('banana');
list.prepend('orange');
list.insertAt(1, 'grape');

console.log(list.toArray()); // ['orange', 'grape', 'apple', 'banana']
console.log(list.find('apple')); // { value: 'apple', next: ... }
console.log(list.getSize()); // 4

Immutable List 操作の型システム表現

関数型プログラミングのアプローチで、Immutable な List 操作を実装します:

typescript// Immutable List の型定義
abstract class ImmutableList<T> {
  abstract isEmpty(): boolean;
  abstract head(): T | null;
  abstract tail(): ImmutableList<T>;
  abstract prepend(value: T): ImmutableList<T>;
  abstract append(value: T): ImmutableList<T>;
  abstract map<U>(fn: (value: T) => U): ImmutableList<U>;
  abstract filter(
    predicate: (value: T) => boolean
  ): ImmutableList<T>;
  abstract reduce<U>(
    fn: (acc: U, value: T) => U,
    initial: U
  ): U;
  abstract toArray(): T[];
}

// 空リストの実装
class EmptyList<T> extends ImmutableList<T> {
  isEmpty(): boolean {
    return true;
  }

  head(): T | null {
    return null;
  }

  tail(): ImmutableList<T> {
    return this;
  }

  prepend(value: T): ImmutableList<T> {
    return new ConsList(value, this);
  }

  append(value: T): ImmutableList<T> {
    return new ConsList(value, this);
  }

  map<U>(_fn: (value: T) => U): ImmutableList<U> {
    return new EmptyList<U>();
  }

  filter(
    _predicate: (value: T) => boolean
  ): ImmutableList<T> {
    return this;
  }

  reduce<U>(_fn: (acc: U, value: T) => U, initial: U): U {
    return initial;
  }

  toArray(): T[] {
    return [];
  }
}

// 非空リストの実装
class ConsList<T> extends ImmutableList<T> {
  constructor(
    private readonly headValue: T,
    private readonly tailList: ImmutableList<T>
  ) {
    super();
  }

  isEmpty(): boolean {
    return false;
  }

  head(): T | null {
    return this.headValue;
  }

  tail(): ImmutableList<T> {
    return this.tailList;
  }

  prepend(value: T): ImmutableList<T> {
    return new ConsList(value, this);
  }

  append(value: T): ImmutableList<T> {
    return new ConsList(
      this.headValue,
      this.tailList.append(value)
    );
  }

  map<U>(fn: (value: T) => U): ImmutableList<U> {
    return new ConsList(
      fn(this.headValue),
      this.tailList.map(fn)
    );
  }

  filter(
    predicate: (value: T) => boolean
  ): ImmutableList<T> {
    if (predicate(this.headValue)) {
      return new ConsList(
        this.headValue,
        this.tailList.filter(predicate)
      );
    } else {
      return this.tailList.filter(predicate);
    }
  }

  reduce<U>(fn: (acc: U, value: T) => U, initial: U): U {
    const newAcc = fn(initial, this.headValue);
    return this.tailList.reduce(fn, newAcc);
  }

  toArray(): T[] {
    return [this.headValue, ...this.tailList.toArray()];
  }
}

// ファクトリ関数
function createList<T>(...values: T[]): ImmutableList<T> {
  let list: ImmutableList<T> = new EmptyList<T>();
  for (const value of values.reverse()) {
    list = list.prepend(value);
  }
  return list;
}

// 使用例
const immutableList = createList(1, 2, 3, 4, 5);

const doubled = immutableList.map((x) => x * 2);
const evens = immutableList.filter((x) => x % 2 === 0);
const sum = immutableList.reduce((acc, x) => acc + x, 0);

console.log(doubled.toArray()); // [2, 4, 6, 8, 10]
console.log(evens.toArray()); // [2, 4]
console.log(sum); // 15

// リストの不変性を確認
const newList = immutableList.prepend(0);
console.log(immutableList.toArray()); // [1, 2, 3, 4, 5] (変更されない)
console.log(newList.toArray()); // [0, 1, 2, 3, 4, 5]

グラフ構造の型定義

グラフ構造は最も複雑なデータ構造の一つですが、再帰型を活用することで型安全に実装できます。

有向・無向グラフの表現

基本的なグラフの型定義から始めましょう:

typescript// グラフノードの基本定義
interface GraphNode<T> {
  id: string;
  value: T;
}

// エッジの定義
interface Edge<T> {
  from: string; // ノードID
  to: string; // ノードID
  weight?: number;
}

// 無向グラフの定義
interface UndirectedGraph<T> {
  nodes: Map<string, GraphNode<T>>;
  edges: Set<string>; // "nodeId1-nodeId2" 形式
}

// 有向グラフの定義
interface DirectedGraph<T> {
  nodes: Map<string, GraphNode<T>>;
  edges: Map<string, Edge<T>[]>; // from nodeId -> Edge[]
}

隣接リスト・隣接行列の型定義

異なるグラフ表現方法の型定義を実装します:

typescript// 隣接リスト表現
type AdjacencyList<T> = Map<
  string,
  {
    node: GraphNode<T>;
    neighbors: Array<{
      nodeId: string;
      weight?: number;
    }>;
  }
>;

// 隣接行列表現
interface AdjacencyMatrix<T> {
  nodes: GraphNode<T>[];
  matrix: number[][]; // インデックス対応、-1は接続なし
  nodeIdToIndex: Map<string, number>;
}

// グラフクラスの実装
class TypeSafeGraph<T> {
  private adjacencyList: AdjacencyList<T> = new Map();

  // ノードを追加
  addNode(id: string, value: T): void {
    if (!this.adjacencyList.has(id)) {
      this.adjacencyList.set(id, {
        node: { id, value },
        neighbors: [],
      });
    }
  }

  // エッジを追加(無向グラフ)
  addUndirectedEdge(
    fromId: string,
    toId: string,
    weight?: number
  ): boolean {
    const fromNode = this.adjacencyList.get(fromId);
    const toNode = this.adjacencyList.get(toId);

    if (!fromNode || !toNode) return false;

    // 双方向にエッジを追加
    fromNode.neighbors.push({ nodeId: toId, weight });
    toNode.neighbors.push({ nodeId: fromId, weight });

    return true;
  }

  // エッジを追加(有向グラフ)
  addDirectedEdge(
    fromId: string,
    toId: string,
    weight?: number
  ): boolean {
    const fromNode = this.adjacencyList.get(fromId);
    const toNode = this.adjacencyList.get(toId);

    if (!fromNode || !toNode) return false;

    fromNode.neighbors.push({ nodeId: toId, weight });
    return true;
  }

  // ノードを取得
  getNode(id: string): GraphNode<T> | null {
    const entry = this.adjacencyList.get(id);
    return entry ? entry.node : null;
  }

  // 隣接ノードを取得
  getNeighbors(
    nodeId: string
  ): Array<{ node: GraphNode<T>; weight?: number }> {
    const entry = this.adjacencyList.get(nodeId);
    if (!entry) return [];

    return entry.neighbors.map((neighbor) => {
      const neighborNode = this.adjacencyList.get(
        neighbor.nodeId
      );
      return {
        node: neighborNode!.node,
        weight: neighbor.weight,
      };
    });
  }

  // 全ノードを取得
  getAllNodes(): GraphNode<T>[] {
    return Array.from(this.adjacencyList.values()).map(
      (entry) => entry.node
    );
  }
}

// 使用例
const graph = new TypeSafeGraph<string>();

// ノードを追加
graph.addNode('A', 'Node A');
graph.addNode('B', 'Node B');
graph.addNode('C', 'Node C');
graph.addNode('D', 'Node D');

// エッジを追加
graph.addUndirectedEdge('A', 'B', 5);
graph.addUndirectedEdge('B', 'C', 3);
graph.addUndirectedEdge('C', 'D', 7);
graph.addUndirectedEdge('A', 'D', 10);

// 隣接ノードを取得
const neighborsOfA = graph.getNeighbors('A');
console.log(neighborsOfA); // [{ node: { id: 'B', value: 'Node B' }, weight: 5 }, ...]

グラフアルゴリズムの型安全実装

代表的なグラフアルゴリズムを型安全に実装します:

typescript// グラフ探索結果の型定義
interface SearchResult<T> {
  visited: Set<string>;
  path: GraphNode<T>[];
  found: boolean;
}

// 最短経路結果の型定義
interface ShortestPathResult<T> {
  path: GraphNode<T>[];
  distance: number;
  found: boolean;
}

class GraphAlgorithms {
  // 深度優先探索(DFS)
  static dfs<T>(
    graph: TypeSafeGraph<T>,
    startId: string,
    targetId?: string
  ): SearchResult<T> {
    const visited = new Set<string>();
    const path: GraphNode<T>[] = [];

    const dfsRecursive = (nodeId: string): boolean => {
      if (visited.has(nodeId)) return false;

      visited.add(nodeId);
      const node = graph.getNode(nodeId);
      if (!node) return false;

      path.push(node);

      if (targetId && nodeId === targetId) {
        return true; // 目標ノード発見
      }

      const neighbors = graph.getNeighbors(nodeId);
      for (const neighbor of neighbors) {
        if (dfsRecursive(neighbor.node.id)) {
          return true;
        }
      }

      return false;
    };

    const found = dfsRecursive(startId);

    return {
      visited,
      path,
      found: targetId ? found : true,
    };
  }

  // 幅優先探索(BFS)
  static bfs<T>(
    graph: TypeSafeGraph<T>,
    startId: string,
    targetId?: string
  ): SearchResult<T> {
    const visited = new Set<string>();
    const path: GraphNode<T>[] = [];
    const queue: string[] = [startId];

    while (queue.length > 0) {
      const currentId = queue.shift()!;

      if (visited.has(currentId)) continue;

      visited.add(currentId);
      const currentNode = graph.getNode(currentId);
      if (!currentNode) continue;

      path.push(currentNode);

      if (targetId && currentId === targetId) {
        return { visited, path, found: true };
      }

      const neighbors = graph.getNeighbors(currentId);
      for (const neighbor of neighbors) {
        if (!visited.has(neighbor.node.id)) {
          queue.push(neighbor.node.id);
        }
      }
    }

    return {
      visited,
      path,
      found: targetId ? false : true,
    };
  }

  // ダイクストラ法による最短経路
  static dijkstra<T>(
    graph: TypeSafeGraph<T>,
    startId: string,
    targetId: string
  ): ShortestPathResult<T> {
    const distances = new Map<string, number>();
    const previous = new Map<string, string | null>();
    const unvisited = new Set<string>();

    // 初期化
    for (const node of graph.getAllNodes()) {
      distances.set(
        node.id,
        node.id === startId ? 0 : Infinity
      );
      previous.set(node.id, null);
      unvisited.add(node.id);
    }

    while (unvisited.size > 0) {
      // 未訪問ノードの中で最小距離のノードを選択
      let currentId: string | null = null;
      let minDistance = Infinity;

      for (const nodeId of unvisited) {
        const distance = distances.get(nodeId)!;
        if (distance < minDistance) {
          minDistance = distance;
          currentId = nodeId;
        }
      }

      if (!currentId || minDistance === Infinity) break;

      unvisited.delete(currentId);

      if (currentId === targetId) break;

      // 隣接ノードの距離を更新
      const neighbors = graph.getNeighbors(currentId);
      for (const neighbor of neighbors) {
        if (!unvisited.has(neighbor.node.id)) continue;

        const weight = neighbor.weight ?? 1;
        const newDistance =
          distances.get(currentId)! + weight;

        if (
          newDistance < distances.get(neighbor.node.id)!
        ) {
          distances.set(neighbor.node.id, newDistance);
          previous.set(neighbor.node.id, currentId);
        }
      }
    }

    // パスを再構築
    const path: GraphNode<T>[] = [];
    let current: string | null = targetId;

    while (current) {
      const node = graph.getNode(current);
      if (node) path.unshift(node);
      current = previous.get(current) || null;
    }

    const distance = distances.get(targetId) ?? Infinity;
    const found = distance !== Infinity;

    return { path: found ? path : [], distance, found };
  }
}

// 使用例
const searchResult = GraphAlgorithms.dfs(graph, 'A', 'D');
console.log(
  'DFS Path:',
  searchResult.path.map((n) => n.value)
);

const bfsResult = GraphAlgorithms.bfs(graph, 'A', 'D');
console.log(
  'BFS Path:',
  bfsResult.path.map((n) => n.value)
);

const shortestPath = GraphAlgorithms.dijkstra(
  graph,
  'A',
  'D'
);
console.log(
  'Shortest Path:',
  shortestPath.path.map((n) => n.value)
);
console.log('Distance:', shortestPath.distance);

ネストした構造の型計算

深い階層構造を持つオブジェクトの型安全な操作は、実際の開発でよく遭遇する課題です。

オブジェクトの深い階層にアクセスするための型安全な手法を実装します:

typescript// 深いオブジェクト構造の型定義
type DeepObject = {
  user: {
    profile: {
      personal: {
        name: string;
        age: number;
        address: {
          street: string;
          city: string;
          country: string;
        };
      };
      professional: {
        company: string;
        position: string;
        skills: string[];
      };
    };
    settings: {
      theme: 'light' | 'dark';
      notifications: {
        email: boolean;
        push: boolean;
      };
    };
  };
};

// パス文字列の型定義
type PathString = string;

// パスを配列に分割する型
type PathArray<T extends string> =
  T extends `${infer Head}.${infer Tail}`
    ? [Head, ...PathArray<Tail>]
    : [T];

// ネストしたオブジェクトから値の型を取得
type GetNestedType<
  T,
  P extends readonly string[]
> = P extends readonly [infer Head, ...infer Tail]
  ? Head extends keyof T
    ? Tail extends readonly string[]
      ? GetNestedType<T[Head], Tail>
      : T[Head]
    : never
  : T;

// 型安全な get 関数
function get<T, P extends string>(
  obj: T,
  path: P
): GetNestedType<T, PathArray<P>> | undefined {
  const keys = path.split('.') as Array<keyof any>;
  let current: any = obj;

  for (const key of keys) {
    if (current == null || typeof current !== 'object') {
      return undefined;
    }
    current = current[key];
  }

  return current;
}

// 使用例
const deepObj: DeepObject = {
  user: {
    profile: {
      personal: {
        name: 'John Doe',
        age: 30,
        address: {
          street: '123 Main St',
          city: 'Tokyo',
          country: 'Japan',
        },
      },
      professional: {
        company: 'Tech Corp',
        position: 'Developer',
        skills: ['TypeScript', 'React', 'Node.js'],
      },
    },
    settings: {
      theme: 'dark',
      notifications: {
        email: true,
        push: false,
      },
    },
  },
};

// 型安全なアクセス
const name = get(deepObj, 'user.profile.personal.name'); // string | undefined
const age = get(deepObj, 'user.profile.personal.age'); // number | undefined
const city = get(
  deepObj,
  'user.profile.personal.address.city'
); // string | undefined

console.log(name); // 'John Doe'
console.log(age); // 30
console.log(city); // 'Tokyo'

動的な path 指定の型検証

より高度な型検証機能を実装します:

typescript// 有効なパスのみを許可する型
type ValidPaths<T> = T extends object
  ? {
      [K in keyof T]: K extends string
        ? T[K] extends object
          ? K | `${K}.${ValidPaths<T[K]>}`
          : K
        : never;
    }[keyof T]
  : never;

// 型安全性を強化した get 関数
function safeGet<T, P extends ValidPaths<T>>(
  obj: T,
  path: P
): GetNestedType<T, PathArray<P>> | undefined {
  return get(obj, path as string) as
    | GetNestedType<T, PathArray<P>>
    | undefined;
}

// 型安全な set 関数
function safeSet<T, P extends ValidPaths<T>>(
  obj: T,
  path: P,
  value: GetNestedType<T, PathArray<P>>
): T {
  const keys = (path as string).split('.');
  const cloned = JSON.parse(JSON.stringify(obj)) as T;
  let current: any = cloned;

  for (let i = 0; i < keys.length - 1; i++) {
    const key = keys[i];
    if (
      current[key] == null ||
      typeof current[key] !== 'object'
    ) {
      current[key] = {};
    }
    current = current[key];
  }

  current[keys[keys.length - 1]] = value;
  return cloned;
}

// 使用例(型エラーが発生する例をコメントで示す)
const validName = safeGet(
  deepObj,
  'user.profile.personal.name'
); // OK
const validAge = safeGet(
  deepObj,
  'user.profile.personal.age'
); // OK

// const invalidPath = safeGet(deepObj, 'user.invalid.path'); // 型エラー!
// const typoPath = safeGet(deepObj, 'user.profile.personal.nam'); // 型エラー!

// 値の更新
const updatedObj = safeSet(
  deepObj,
  'user.profile.personal.age',
  31
);
console.log(updatedObj.user.profile.personal.age); // 31

ネストしたオブジェクトの型推論

複雑なネスト構造の型推論を改善する手法を実装します:

typescript// 再帰的な型変換ユーティリティ
type DeepPartial<T> = {
  [P in keyof T]?: T[P] extends object
    ? DeepPartial<T[P]>
    : T[P];
};

type DeepRequired<T> = {
  [P in keyof T]-?: T[P] extends object
    ? DeepRequired<T[P]>
    : T[P];
};

type DeepReadonly<T> = {
  readonly [P in keyof T]: T[P] extends object
    ? DeepReadonly<T[P]>
    : T[P];
};

// 型安全なマージ機能
function deepMerge<
  T extends object,
  U extends DeepPartial<T>
>(target: T, source: U): T & U {
  const result = { ...target } as any;

  for (const key in source) {
    if (source.hasOwnProperty(key)) {
      const sourceValue = source[key];
      const targetValue = result[key];

      if (
        sourceValue &&
        typeof sourceValue === 'object' &&
        !Array.isArray(sourceValue) &&
        targetValue &&
        typeof targetValue === 'object' &&
        !Array.isArray(targetValue)
      ) {
        result[key] = deepMerge(targetValue, sourceValue);
      } else {
        result[key] = sourceValue;
      }
    }
  }

  return result;
}

// 使用例
const partialUpdate: DeepPartial<DeepObject> = {
  user: {
    profile: {
      personal: {
        age: 32,
      },
    },
    settings: {
      theme: 'light',
    },
  },
};

const mergedObj = deepMerge(deepObj, partialUpdate);
console.log(mergedObj.user.profile.personal.age); // 32
console.log(mergedObj.user.profile.personal.name); // 'John Doe' (元の値を保持)

パフォーマンス最適化と制限への対処

実際のプロジェクトで再帰型を使用する際の重要な考慮事項について説明します。

再帰深度制限の回避テクニック

TypeScript の再帰制限を回避する実践的な手法をご紹介します:

typescript// 制限を考慮した段階的展開
type SafeDeepReadonly<
  T,
  Depth extends number = 0
> = Depth extends 10
  ? T // 制限に達したら展開を停止
  : {
      readonly [P in keyof T]: T[P] extends object
        ? SafeDeepReadonly<
            T[P],
            [...Array<Depth>, unknown]['length']
          >
        : T[P];
    };

// 展開型を使った制限回避
type ExpandRecursive<T> = T extends infer U
  ? { [K in keyof U]: U[K] }
  : never;

// 条件付き展開による最適化
type ConditionalDeepType<T, MaxDepth extends number = 5> = {
  [P in keyof T]: T[P] extends object
    ? MaxDepth extends 0
      ? T[P] // これ以上展開しない
      : ConditionalDeepType<T[P], Subtract<MaxDepth, 1>>
    : T[P];
};

// 数値の減算型(制限カウント用)
type Subtract<A extends number, B extends number> = [
  ...Array<A>
] extends [...Array<B>, ...infer Rest]
  ? Rest['length']
  : 0;

コンパイル時間短縮の実装パターン

コンパイル性能を考慮した実装パターンを学びましょう:

typescript// 1. 型の事前計算とキャッシュ
type PrecomputedPaths = {
  'user.profile.personal.name': string;
  'user.profile.personal.age': number;
  'user.profile.personal.address.city': string;
  'user.settings.theme': 'light' | 'dark';
  // ... 他のパス
};

// 2. 条件分岐の最適化
type OptimizedGet<
  T,
  P extends string
> = P extends keyof PrecomputedPaths
  ? PrecomputedPaths[P]
  : GetNestedType<T, PathArray<P>>;

// 3. ユニオン型の分散処理回避
type NonDistributive<T> = [T] extends [any] ? T : never;

// 4. 型の部分的展開
interface PerformantConfig {
  // 深い階層は interface で事前定義
  database: DatabaseConfig;
  server: ServerConfig;
  logging: LoggingConfig;
}

interface DatabaseConfig {
  host: string;
  port: number;
  credentials: {
    username: string;
    password: string;
  };
}

interface ServerConfig {
  port: number;
  middleware: {
    cors: boolean;
    compression: boolean;
  };
}

interface LoggingConfig {
  level: 'debug' | 'info' | 'warn' | 'error';
  output: {
    console: boolean;
    file: boolean;
  };
}

メモリ効率的な型定義手法

メモリ使用量を最適化する型定義のベストプラクティス:

typescript// 1. 型の再利用促進
type BaseNode<T> = {
  id: string;
  value: T;
};

type TreeNode<T> = BaseNode<T> & {
  children?: TreeNode<T>[];
};

type GraphNode<T> = BaseNode<T> & {
  edges?: string[];
};

// 2. 条件型の効率的な使用
type EfficientConditional<T> = T extends string
  ? StringOperations<T>
  : T extends number
  ? NumberOperations<T>
  : T extends boolean
  ? BooleanOperations<T>
  : DefaultOperations<T>;

// 3. マップ型の最適化
type OptimizedMapped<T> = {
  readonly [K in keyof T as K extends `_${string}`
    ? never
    : K]: T[K];
};

// 4. 型エイリアスの活用
type CommonPattern<T> = {
  data: T;
  meta: {
    timestamp: number;
    version: string;
  };
};

// 再利用
type UserData = CommonPattern<User>;
type ProductData = CommonPattern<Product>;

// 5. パフォーマンス測定
class TypePerformanceMeasure {
  static measureTypeCheck<T>(
    name: string,
    factory: () => T
  ): T {
    const start = performance.now();
    const result = factory();
    const end = performance.now();

    console.log(`Type check for ${name}: ${end - start}ms`);
    return result;
  }
}

// 使用例
const efficientTree =
  TypePerformanceMeasure.measureTypeCheck(
    'TreeNode creation',
    () => {
      const tree: TreeNode<number> = {
        id: 'root',
        value: 1,
        children: [
          { id: 'child1', value: 2 },
          { id: 'child2', value: 3 },
        ],
      };
      return tree;
    }
  );

実践的な最適化指針

実際のプロジェクトで適用できる最適化指針をまとめます:

最適化項目推奨手法効果
再帰深度段階的展開・制限設定コンパイルエラー回避
型計算複雑度事前計算・キャッシュコンパイル時間短縮
メモリ使用量型の再利用・エイリアスメモリ効率改善
IDE パフォーマンス部分的型定義・遅延評価開発体験向上
typescript// 総合的な最適化例
namespace OptimizedRecursiveTypes {
  // 基本型の定義
  export type SafeDepth = 0 | 1 | 2 | 3 | 4 | 5;

  // 制限付き再帰型
  export type SafeRecursive<
    T,
    D extends SafeDepth = 5
  > = D extends 0
    ? T
    : T extends object
    ? {
        [K in keyof T]: SafeRecursive<
          T[K],
          D extends 5
            ? 4
            : D extends 4
            ? 3
            : D extends 3
            ? 2
            : D extends 2
            ? 1
            : 0
        >;
      }
    : T;

  // 効率的なユーティリティ
  export type EfficientPick<T, K extends keyof T> = {
    [P in K]: T[P];
  };

  export type EfficientOmit<
    T,
    K extends keyof T
  > = EfficientPick<T, Exclude<keyof T, K>>;

  // パフォーマンス重視の実装
  export class OptimizedDataStructure<T> {
    private static readonly MAX_DEPTH = 10;

    constructor(private data: SafeRecursive<T>) {}

    get<K extends keyof T>(key: K): T[K] {
      return this.data[key];
    }

    set<K extends keyof T>(
      key: K,
      value: T[K]
    ): OptimizedDataStructure<T> {
      return new OptimizedDataStructure({
        ...this.data,
        [key]: value,
      });
    }
  }
}

まとめ

TypeScript の Recursive Types を活用することで、木構造、リスト、グラフといった複雑なデータ構造を型安全に実装できることを学びました。

再帰型の威力は単なる型定義にとどまらず、以下の価値を提供します:

型安全性の向上: 深い階層構造へのアクセスやデータ操作において、コンパイル時に型エラーを検出できます。

開発体験の改善: IDE の補完機能により、複雑な構造でも効率的にコードを記述できます。

保守性の向上: 型定義により、データ構造の変更が影響する箇所を明確に把握できます。

ただし、再帰型を使用する際は以下の点に注意が必要です:

  • 再帰深度制限: TypeScript コンパイラの制限を理解し、適切な回避策を実装する
  • パフォーマンス: コンパイル時間とメモリ使用量への影響を考慮する
  • 複雑性管理: 過度に複雑な型定義は可読性を損なう可能性がある

実際のプロジェクトでは、要件に応じて適切なレベルで再帰型を採用し、型安全性と開発効率のバランスを取ることが重要です。これらの手法をマスターすることで、TypeScript での複雑なデータ構造の実装がより安全で効率的になるでしょう。

関連リンク