我正在玩写一棵二叉树。目前它不会是完整的,或者它的每个级别都已满。我只是想让插入以最基本的形式工作(之后我会搞乱重新排序)。
编码
<?php
class Node {
public $left = NULL;
public $right = NULL;
public $data = NULL;
}
class BinaryTree {
private $root = NULL;
public function insert($value, $node = false) {
echo "VALUE: $value \n";
if($node === false) {
$node = $this->root;
}
if($node->data === NULL) { // Always stuck here.
$node->data = $value;
} else {
if($value <= $node->data) {
$this->insert($value, $node->left);
} else if($value >= $node->data) {
$this->insert($value, $node->right);
}
}
}
}
$t = new BinaryTree();
$t->insert(7);
$t->insert(6);
$t->insert(1);
?>
问题是,当我分配 $node->value 某些东西时,$node 对象似乎没有正确地传递到 insert() 函数中。因此,它永远不会通过根。
编辑
@Joost 指出我错过了几个步骤。这使我在 BinaryTree 课程中得到以下内容:
public function __construct() {
$this->root = new Node();
}
public function insert($value, $node = false) {
if($node === false) {
$node = $this->root;
}
if($node->data === NULL) {
$node->data = $value;
} else {
if($value <= $node->data) {
if(get_class($node->left) != "Node") {
$node->left = new Node();
}
$this->insert($value, $node->left);
} else if($value >= $node->data) {
if(get_class($node->right) != "Node") {
$node->rght = new Node();
}
$this->insert($value, $node->right);
}
}
}