Monday, February 17, 2020

program remove spaces, blanks from a string

#include <stdio.h>

int main()
{
   char text[1000], blank[1000];
   int c = 0, d = 0;

   printf("Enter some text\n");
   gets(text);

   while (text[c] != '\0') {
      if (text[c] == ' ') {
         int temp = c + 1;
         if (text[temp] != '\0') {
            while (text[temp] == ' ' && text[temp] != '\0') {
               if (text[temp] == ' ') {
                  c++;
               }
               temp++;
            }
         }
      }
      blank[d] = text[c];
      c++;
      d++;
   }

   blank[d] = '\0';

   printf("Text after removing blanks\n%s\n", blank);

   return 0;
}
If you want you can copy blank into text string so that original string is modified.
Output of program:
Remove spaces c program

C programming code using pointers

#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#define SPACE ' '

char *process(char*);

int main()
{
   char text[1000], *r;

   printf("Enter a string\n");
   gets(text);

   r = process(text);
   printf("\"%s\"\n", r);
 
   free(r);  

   return 0;
}
char *process(char *text) {
   int length, c, d;
   char *start;
 
   c = d = 0;
 
   length = strlen(text);

   start = (char*)malloc(length+1);
 
   if (start == NULL)
      exit(EXIT_FAILURE);
 
   while (*(text+c) != '\0') {
      if (*(text+c) == ' ') {
         int temp = c + 1;
         if (*(text+temp) != '\0') {
            while (*(text+temp) == ' ' && *(text+temp) != '\0') {
               if (*(text+temp) == ' ') {
                  c++;
               }
               temp++;
            }
         }
      }
      *(start+d) = *(text+c);
      c++;
      d++;
   }
   *(start+d)= '\0';
 
   return start;
}

No comments:

Post a Comment