recursive call should output reverse string

102 Views Asked by At

Hello together

void rev_out(istream& is){
char a;
is >> a;
if(a!='g')rev_out(is);
cout << a;
}


int main()
{
stringstream is("abcdefg");
rev_out(is);
return 0;   
}

now the Output is gfedcba, but i have a problem. I`d like to give an universally valid if-statement like "stop after the string is read completely". So if there is any stream you don`t know, the function knows when it has to stop. Is there a possibility without counting the string-elements first?

Thanks for your help!

4

There are 4 best solutions below

1
On BEST ANSWER

Just stop when you can't read any more:

void rev_out(istream& is){
    char a;
    if (is >> a)          // If we could read a character...
    {
        rev_out(is);      // ... keep reversing ...
        cout << a;        // ... and print the character.
    }
    // Otherwise, nothing happens.
}
4
On

I believe this should work, but it's untested.

void rev_out(istream& is){
    char a;
    is >> a;

    if(is.bad() || is.eof()){
        return;
    }
    rev_out(is);
    cout << a;
}

Essentially you check if the end of the stream has been reached before trying to output. If you haven't made it to the end, get the next one, then the output comes out as you fall back through the stack.

0
On

All string literals end with a null character (\0), so you can use that to determine when you've reach the end of an arbitrary string. However, the is >> a; will fail once you've reached that point, so you won't want to do cout << a; on the last recursive call, but that's easy to avoid. You could instead use the failure state of the string stream to determine when to stop.

0
On

in >> a will try to read a character from in. It may fail. The result of in >> a can be converted to bool to check if it was successful.

You should only perform the recursive call and the output if a character could be read. This can be checked by using in >> a as a condition in an if statement:

void rev_out(istream& is) {
    char a;
    if (is >> a) {
        rev_out(is);
        cout << a;
    }
}

Live demo

Note that it's always a good idea to check the result of such an expression, as you never know if the input maches the pattern you're trying to read, in particular if this pattern is complicated such as when you're reading floating point numbers...