我在二进制表示中有这样的树;
1
/
2
\
3
/ \
6 4
\ \
7 5
/
8
/
9
\
10
\
11
但实际上这不是二叉树,而是像
1
/ | | \
2 3 4 5
/\ |
6 7 8
/| \
9 10 11
你能帮我打印出类似的东西(孩子们按照相反的顺序打印出来)
1 : 5 4 3 2
5 : 8
3 : 7 6
8 : 11 10 9
我的TNode课程看起来像。
class TNode {
public:
unsigned long int data;
TNode * left;///first child
TNode * right;/// sibling
TNode * parent;/// parent
TNode(unsigned long int d = 0, TNode * p = NULL, TNode * n = NULL)///konstruktors
{
left = NULL;
right = NULL;
parent = p;
data = d;
}
};
这需要堆栈实现吗?
答案 0 :(得分:0)
尝试类似:(尚未测试)
printTree(TNode root) {
queue <TNode> proc;
proc.push(root);
while (!proc.empty()) {
TNode front = proc.front();
proc.pop();
// add front's children to a stack
stack <Tnode> temp;
Tnode current = front->left;
while (current != NULL) {
temp.push(current);
current = current->right;
}
// add the children to the back of queue in reverse order using the stack.
// at the same time, print.
printf ("%lld:", front->data);
while (!temp.empty()) {
proc.push(temp.top());
printf(" %lld", temp.top()->data);
temp.pop();
}
printf("\n");
}
}
我仍然想让它更优雅。感谢有趣的问题!
编辑:将格式说明符更改为lld
答案 1 :(得分:0)
这种方法怎么样: 以预先的顺序遍历树(访问每个节点)。对于每个节点(当到达它时)检查它是否有一个左孩子。如果是这样(表示在原始树中有子元素的节点)用':'打印节点数据并取其子树并递归地跟随所有正确的儿子(代表所有兄弟姐妹),然后打印每个正确的儿子数据(你有它)按相反的顺序。 在代码中:
void print_siblings() {
if (this->right != NULL) {
this->right->print_siblings();
}
cout << data << ", ";
}
void traverse(void) {
if (this->left != NULL) {
cout << data << ":";
this->left->print_siblings();
cout << endl;
this->left->traverse();
}
if (this->right != NULL) {
this->right->traverse();
}
}
编辑:这是一个inorder-traversal:
void traverse_inorder(void) {
if (this->left != NULL) {
this->left->traverse_inorder();
cout << data << ":";
this->left->print_siblings();
cout << endl;
}
if (this->right != NULL) {
this->right->traverse_inorder();
}
}
预购的输出为:
1:5, 4, 3, 2,
3:7, 6,
5:8,
8:11, 10, 9,
inorder的输出将是:
3:7, 6,
8:11, 10, 9,
5:8,
1:5, 4, 3, 2,
Edit2:为了完整性,后序遍历: - )
void traverse_postorder(void) {
if (this->left != NULL) {
this->left->traverse_postorder();
}
if (this->right != NULL) {
this->right->traverse_postorder();
}
if (this->left != NULL) {
cout << data << ":";
this->left->print_siblings();
cout << endl;
}
}
及其输出:
8:11, 10, 9,
5:8,
3:7, 6,
1:5, 4, 3, 2,
答案 2 :(得分:0)
我做过这样的事情,但由于while循环而有点'不合时宜。 是否有任何方法使其更多rec
void mirrorChilds(TNode * root)//
{
if(!root) return;
cout << root->data << " ";
//tmp = tmp->right;
if(!root->left) return;
TNode * tmp = root->left;
while(tmp != NULL)
{
root->left = tmp;
tmp = tmp->right;
}
tmp = root->left;
while(root != tmp)
{
cout << tmp->data << " ";
tmp = tmp->parent;
}
cout << endl;
tmp = root->left;
while(root != tmp)
{
if(tmp->left) mirrorChilds(tmp);
//if(tmp->left) cout << tmp->left->data << endl;
tmp = tmp->parent;
}
}
它完美地工作,但你们,我有点想获得O(n * log(n))时间...