How do you reverse a string in C or C++ without requiring a separate buffer to hold the reversed string?
#include 
#include 
#include 
void strrev(char *str)
{
        if( str == NULL )
                return;
        char *end_ptr = &str[strlen(str) - 1];
        char temp;
        while( end_ptr > str )
        {
                temp = *str;
                *str++ = *end_ptr;
                *end_ptr-- = temp;
        }
}
int main(int argc, char *argv[])
{
        char buffer[32];
        strcpy(buffer, "testing");
        strrev(buffer);
        printf("%s\n", buffer);
        strcpy(buffer, "a");
        strrev(buffer);
        printf("%s\n", buffer);
        strcpy(buffer, "abc");
        strrev(buffer);
        printf("%s\n", buffer);
        strcpy(buffer, "");
        strrev(buffer);
        printf("%s\n", buffer);
        strrev(NULL);
        return 0;
}
   This code produces this output:
gnitset
a
cba