Why does finite recursive behaviour cause a crash ? (free(): invalid pointer)

144 Views Asked by At

Below is my code just a function called kk that will be recursively called for 10 times so impossible to cause stack overflow, but it crashes with

Error in `./3': free(): invalid pointer: 0x0000000000602100

Who knows the reason??

string kk(string &s)
{
    static  int i=0;
    s+="q";
    i++;
    cout<<"i="<<i<<endl;
    if(i>=10) return s;
    kk(s);
}

int main()
{
    string s="wer";

    cout<<"s="<<kk(s)<<endl;
}
2

There are 2 best solutions below

0
On BEST ANSWER

I guess you forgot to put the return keyword in the last line. By putting it, the code is working without errors

string kk(string &s)
{
static  int i=0;
s+="q";
i++;
cout<<"i="<<i<<endl;
if(i>=10) return s;
return kk(s);
}

int main()
{
string s="wer";

cout<<"s="<<kk(s)<<endl;
}
0
On

C26444 NO_UNNAMED_RAII_OBJECTS this was causing the problem. On every return, the temporary object was getting created and deleted.

Modified the code like below:

#include <iostream>
#include <cstdlib>

static  int i = 0;

void kk(std::string& s)
{

    s += "q";
    i++;
    std::cout << "i=" << i << std::endl;
    if (i >= 10) return ;
    kk(s);
}

int main()
{
    std::string s = "wer";
    kk(s);
    std::cout << "s=" << s << std::endl;
}

Output:

i=1 i=2 i=3 i=4 i=5 i=6 i=7 i=8 i=9 i=10 s=werqqqqqqqqqq