我写了下面的代码来逐行打印二叉树。其思想是使用两个队列并在它们之间交替。我正在使用$tmp变量交换这两个队列。我不认为这是有效的,因为我正在复制数组。有没有更好的方法在php中不需要复制呢?谢谢。
树:http://www.phpkode.com/source/s/binary-tree/binary-tree/btree.class.php
// use 2 queues to get nodes level by level
$currentQueue = array();
$otherQueue = array();
if (!empty($Root)) {
array_push($currentQueue, array($Root->getData(), $Root->getLeft(), $Root->getRight()));
}
$level = 0;
while (!empty($currentQueue)) {
echo "Level " . $level . ": ";
// print and pop all values from current queue while pushing children onto the other queue
$row = array();
while ($node = array_shift($currentQueue)) {
$row[] = $node[0];
$left = $node[1];
$right = $node[2];
if (!empty($left)) {
$data = $left->getData();
$l = $left->getLeft();
$r = $left->getRight();
array_push($otherQueue, array($data, $l, $r));
}
if (!empty($right)) {
$data = $right->getData();
$l = $right->getLeft();
$r = $right->getRight();
array_push($otherQueue, array($data, $l, $r));
}
}
echo implode(' ,', $row);
echo "<br>";
// swap stacks
$tmp = $currentQueue;
$currentQueue = $otherQueue;
$otherQueue = $tmp;
$level++;
}
最佳答案
如果您只想避免阵列复制,可以:
$tmp = & $currentQueue;
$currentQueue = & $otherQueue;
$otherQueue = & $tmp;
但如果你真的想优化这段代码,我建议你从knuth或cormen等人那里找到一个广度优先的搜索算法,并在php中实现它(或者找到一个现有的实现)。
还要确保您确实需要优化此代码。