Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Replace multiple spaces by single space in C

I want to repace multiple spaces in a string by single space, however my following code doesn't work. What's the logical mistake?

#include<stdio.h>
#include<string.h>
main()
{
char input[100];
int i,j,n,z=0;
scanf("%d",&n);
z=n;
for(i=0;i<n;i++)
scanf("%c",&input[i]);
for(i=0;i<n;i++)
{
    if(input[i]==' ' && (input[i+1]==' ' || input[i-1]==' '))
    {
        --z;
        for(j=i;j<n;j++)
        input[j]=input[j+1];
    }
}
for(i=0;i<z;i++)
    printf("%c",input[i]);
printf("\n");
}
like image 594
Jaskaran S.P Avatar asked Feb 14 '26 08:02

Jaskaran S.P


1 Answers

I would do something like this:

void replace_multi_space_with_single_space(char *str)
{
    char *dest = str;  /* Destination to copy to */

    /* While we're not at the end of the string, loop... */
    while (*str != '\0')
    {
        /* Loop while the current character is a space, AND the next
         * character is a space
         */
        while (*str == ' ' && *(str + 1) == ' ')
            str++;  /* Just skip to next character */

       /* Copy from the "source" string to the "destination" string,
        * while advancing to the next character in both
        */
       *dest++ = *str++;
    }

    /* Make sure the string is properly terminated */    
    *dest = '\0';
}

Of course, the above function requires you to properly terminate the string, which you currently do not.

What the function above does, is basically copy the string over itself. The exception is when there is a space, when multiple spaces are simply discarded.

Since the function modifies the source string, it can not be used on string literals.

like image 83
Some programmer dude Avatar answered Feb 16 '26 21:02

Some programmer dude