Ваша проблема возникает из-за того, что return отсутствует в replacehelp .
Обратите внимание, что проверка (state < 0)
бесполезна в replacehelp , посколькуоно не равно 0 и не является положительным, поэтому
node *replacehelp(node *r, string v, int f){
if(r == nullptr)
return new node(v,f);
int state = v.compare(r->data);//to check the alphabetical order
if(state == 0)
r->freq += f;
else if(state > 0) // 'else' ADDED
r->right = replacehelp(r->right, v, f);
else // MODIFIED
r->left = replacehelp(r->left, v, f);
return r;
}
Вы не дадите определение DeleteNode , поэтому невозможно узнать, правильно ли это, как вы предполагаете.
Если я добавлю некоторые определения для запуска:
#include <iostream>
#include <string>
using namespace std;
struct node{
string data;
int freq;
node *left, *right;
node(string d, int f){
data = d;
freq = f;
left = right = nullptr;
}
};
node *replacehelp(node *r, string v, int f){
if(r == nullptr)
return new node(v,f);
int state = v.compare(r->data);//to check the alphabetical order
if(state == 0)
r->freq += f;
else if(state > 0) // 'else' ADDED
r->right = replacehelp(r->right, v, f);
else // MODIFIED
r->left = replacehelp(r->left, v, f);
return r; // ADDED
}
// ADDED
node * DeleteNode(node *r, string s, int * freq) // can be "int & freq" to not have to give the addr in the call
{
if (r != nullptr) {
int state = s.compare(r->data);
if (state > 0)
r->right = DeleteNode(r->right, s, freq);
else if (state < 0)
r->left = DeleteNode(r->left, s, freq);
else {
*freq = r->freq;
if (r->right == nullptr) {
node * t = r->left;
delete (r);
return t;
}
if (r->left == nullptr) {
node * t = r->right;
delete (r);
return t;
}
node * t = r->right;
while ((t != nullptr) && (t->left != nullptr))
t = t->left;
r->data = t->data;
r->freq = t->freq;
int dummy;
r->right = DeleteNode(r->right, t->data, &dummy);
}
}
return r;
}
node * root; // ADDED
void replace(const string &s1, const string &s2){
int freq = 0; // initialized to 0 to not have undefined value if DeleteNode do not find the node
//the delete function works(I get the freq of s1)
root = DeleteNode(root, s1, &freq);
//I have to insert s2 to the tree
root = replacehelp(root,s2,freq);
}
// ADDED
void insert(string s, int freq)
{
root = replacehelp(root, s, freq);
}
// ADDED
void pr(node *r)
{
cout << '(';
if (r != nullptr) {
pr(r->left);
cout << '"' << r->data << "\" " << r->freq;
pr(r->right);
}
cout << ')';
}
// ADDED
int main(void)
{
insert("5", 5);
insert("4", 4);
insert("3", 3);
insert("6", 6);
pr(root);
cout << endl;
replace("5", "55");
pr(root);
cout << endl;
replace("3", "33");
pr(root);
cout << endl;
replace("4", "33");
pr(root);
cout << endl;
}
Компиляция и выполнение:
pi@raspberrypi:/tmp $ g++ -g -pedantic -Wextra -Werror t.cc
pi@raspberrypi:/tmp $ ./a.out
(((()"3" 3())"4" 4())"5" 5(()"6" 6()))
(((()"3" 3())"4" 4(()"55" 5()))"6" 6())
(((()"33" 3())"4" 4(()"55" 5()))"6" 6())
(((()"33" 7())"55" 5())"6" 6())
pi@raspberrypi:/tmp $