I need to find a solution for this problem: I have a n-ary tree structured in this way:
struct kTreeVertex {
int key;
struct kTreeVertex* child;
struct kTreeVertex* sibling;
};
typedef struct kTreeVertex* kTree;
I can't use another implementation of n-ary tree. My goal is to print for each level the sum of nodes. My function take the pointer to the root of my n-ary tree. The n-ary tree passed to my function is not empty (not null) by pre-condition.
sumLevels(kTree t)
I can't find a way to complete this exercise. Below my solution, but it's not correct.
int sumLevels(kTree t){
if(t->child == NULL){
return t->key;
}
else{
int sum = t->key;
kTree c = t->child->sibling;
while(c != NULL){
sum += sumLevels(c);
c = c->sibling;
}
printf("%d\n", sum);
}
}
if I have this tree:
10
5
8
3
2
1
7
solution should be:
level 0: 10
level 1: 17
level 2: 9
Any ideas?
There several ways to approach this. One is to perform a breadth-first traversal over the tree, so that you actually visit the nodes by their level.
For this you need to collect tree nodes in an array. You could for instance use a stack for this. Here is the structure and functions you would need for working with a stack:
By using two stacks -- one for the current level, and one for the next -- you can get it working:
Driver code to see it work on the example tree: