I want to create a user hierarchical tree by using closure table.
User table:
CREATE TABLE `user` (
`id` INT(11) unsigned NOT NULL AUTO_INCREMENT,
`parent_id` INT(11) unsigned NOT NULL,
PRIMARY KEY (`id`)
);
INSERT INTO user (id, parent_id)
VALUES (1,0), (2,1), (3,1), (4,1), (5,3), (6,5), (7,0), (8,6);
User tree:
CREATE TABLE `user_tree` (
`ancestor` INT(11) UNSIGNED NOT NULL,
`descendant` INT(11) UNSIGNED NOT NULL,
`level` INT DEFAULT 0,
PRIMARY KEY (`ancestor`, `descendant`),
FOREIGN KEY (`ancestor`) REFERENCES `user`(`id`),
FOREIGN KEY (`descendant`) REFERENCES `user`(`id`)
Then I'm trying to create a tree:
public function buildTree()
{
$stmtUser = $this->db->prepare('SELECT id, parent_id FROM user');
$stmtUser->execute();
foreach ($stmtUser as $row) {
$sql = 'INSERT INTO user_tree (ancestor, descendant)
SELECT ancestor, :id FROM user_tree
WHERE descendant=:parent_id
UNION ALL SELECT :id, :id';
$stmtTree = $this->db->prepare($sql);
$stmtTree->execute([
'id' => $row['id'],
'parent_id' => $row['parent_id']
]);
}
}
But this method creates only one record in user_tree
for each users.
Is there a way to create a tree for existing users?