我的项目需要一个函数,它将树作为参数,并返回键入的整数和正确的调用。
不会只是预订吗?如下。请。感谢
#include "t.h"
void preorder(tnode * t){
if (t == NULL) return;
cout << t->info <<endl;
preorder(t->left);
preorder(t->right);
}
来电将是预购(t)。
这是我原来的功能
#ifndef T_H
#define T_H
#include <iostream>
#include <iomanip>
using namespace std;
struct tnode {
int info ;
int count;
tnode * right, *left;
};
tnode * insert(int target,tnode * t);
tnode * makenode(int x);
tnode * tsearch(int x,tnode * t);
void inorder(tnode * t);
int height(tnode * t);
int count(tnode * t) ;
int total(tnode * t) ;
#endif
int main() {
int n,c;
tnode * t = NULL, *x;
while (cin >> n) {t=insert(n,t);cout << n <<' ';}
cout << endl;
inorder(t);
cout << endl;
c = count(t);
cout << "count: "<< c <<endl;
cout << endl;
c = height(t);
cout << "height: "<< c <<endl;
cout << endl;
c=200;
while (c-->0) if (x = tsearch(c,t)) cout << c << " is on the tree."<<endl;
return 0;
}
#include "t.h"
int count(tnode * t) {
if (t == NULL) return 0;
return 1 + count(t->left) + count (t->right);
}
#include "t.h"
int height(tnode * t) {
if (t == NULL) return -1;
return 1 + max(height(t->left) , height (t->right));
}
#include "t.h"
//write out t in order
void inorder(tnode * t) {
if (t == NULL) return;
inorder (t->left);//write out lst in order
cout <<setw(5) << t->info <<setw(5) << t->count<< endl;
inorder (t->right);//write out rst in order
}
#include "t.h"
tnode * insert(int x, tnode * t) {
tnode * tmp = tsearch(x,t);
if (tmp != NULL) {
tmp->count++;
return t;
}
if (t == NULL) return makenode(x);
if ( x < t->info ) {
t->left = insert(x,t->left);
return t;
}
t->right = insert(x,t->right);
return t;
}
#include "t.h"
tnode * makenode(int x) {
tnode * t = new tnode;
t->info =x;
t->count =1;
t->right = t->left = NULL;
return t;
}
答案 0 :(得分:0)
首先,你的功能不能无效。它必须返回键入的int数,因此必须返回int或int *。
其次,树是一个二进制树,它具有所有输入的整数?如果是这样,任何树遍历算法都可以。您只需要一个变量,当您找到一个新节点时,您将增加该变量(假设它们都存储了一个int)。
int preorder(tnode * t){
if (t == NULL) return 0;
else{
return 1 + preorder(t->left) + preorder(t->right);
}
}
如果t不为null,则其中存储1个int。然后你只需检查节点的子节点。
答案 1 :(得分:0)
当用户键入数字时,insert
函数会插入一个计数为1的新节点,或者添加到现有节点的计数中。
您需要总结树中元素的计数:
int tcount(tnode * t){
if (t == NULL) return 0;
return t->count + tcount(t->left) + tcount(t->right);
}
典型的电话会是
tnode * root = NULL;
/* insert stuff into the tree */
int count = tcount(root);