Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!
  • Php

Idiom #17 Create a Tree data structure

The structure must be recursive. A node may have zero or more children. A node has access to its children nodes, but not to its parent.

final class Node {
    public function __construct(public array $children, public mixed $data) {}
}

In >php 8.0 the code can be simplified a lot
class Tree
{
    public $children = [];
    public $data;
    
    public function __construct($data, $children)
    {
        $this->data = $data;
        $this->children = $children;
    }
}
typedef struct node_s
{
    int value;
    struct node_s *nextSibling;
    struct node_s *firstChild;
} node_t;

New implementation...