why
why

Reputation: 24851

How to delete special char in C?

There is a string

char *message = "hello#world#####.......";

How to delete all the "#" and return "helloworld" ?

In Ruby I can use gsub to deal with it

Upvotes: 0

Views: 302

Answers (2)

tperk
tperk

Reputation: 91

I believe there is a better algorithm to do this....no freeing is necessary - it's in-place.

char *remove_all(char *string, char c) 
{
   int idx = 0;
   char *beg = string;
   while(*string) {
      if (*string != c) 
         beg[idx++] = *string;
      ++string;
   }
   beg[idx] = 0;

   return beg;
}

Upvotes: 1

Brian Clapper
Brian Clapper

Reputation: 26201

In C, you have to do it yourself. For example:

#include <string.h>

char *remove_all(const char *source, char c)
{
    char *result = (char *) malloc(strlen(source) + 1);
    char *r = result;
    while (*source != '\0')
    {
        if (*source != c)
            *r++ = *source;
        source++;
    }

    *r = '\0';
    return result;
}

Note that in that implementation, the caller would have to free the result string.

Upvotes: 3

Related Questions