0

我有一个按级别顺序遍历 AVL 树的函数。输出格式为:

level 0: jim(2)
level 1: bob(1) joe(1)

但是当我达到 4 级及更高级别时,我想将其分解,因此每行仅显示 8 个项目。所以输出开始看起来像这样:

level 4: item1(1) item2(1) item3(2) item4(2) item5(1) item6(2) item7(1) item8(2)
level 4: item9(2) item10(2)

现在我的代码将显示所有项目,但只显示在一行上。我无法弄清楚如何改进此代码,以便按照我想要的方式对其进行格式化。我该如何实施?

以下是当前功能:

//PRINT BY LEVEL ORDER TRAVERSAL
void Avltree::level_order(Avlnode* root, ofstream &out){
int h = height(root);
for(int i = 0; i < h; i++){
    out << "Level " << i << ": "; 
    print_level(root, i, out);
    out << endl;
}
}

//PRINT A GIVEN LEVEL ON A TREE
void Avltree::print_level(Avlnode* root, int level, ofstream &out){

    if(root == NULL)
        return;
    if(level == 0){
        out << root->data << "(" << height(root) << ") ";
    }
    else if (level > 0)
    {
        print_level(root->left, level-1, out);
        print_level(root->right, level-1, out);
    }
}
4

2 回答 2

2

您应该将计数作为参数传递给递归函数,当 count % 8 (或任何您希望每行的数字)为 0 时,然后开始新行。

于 2012-08-06T17:16:33.317 回答
2

为打印的节点总数添加引用参数的调用

void Avltree::print_level(Avlnode* root, int level, ofstream &out, int &count)
{
    ...
    if(level == 0){
        out << root->data << "(" << height(root) << ") ";
        count++;
    }
    if(count==8){
        out << endl;
        count=0;
    }
    ...
}

虽然调用将是

int count=0;
for(int i = 0; i < h; i++){
    count=0;
    out << "Level " << i << ": "; 
    print_level(root, i, out, count);
    out << endl;
}
于 2012-08-06T17:22:10.173 回答