#include <stdio.h>
#define MAXLINE 1000 /* max input line size */
char line[MAXLINE]; /*current input line*/
int getline(void); /* taken from the KnR book. */
int main()
{
int in_comment,len;
int in_quote;
int t;
in_comment = in_quote = t = 0;
while ((len = getline()) > 0 )
{
t=0;
while(t < len)
{
if( line[t] == '"')
in_quote = 1;
if( ! in_quote )
{
if( line[t] == '/' && line[t+1] == '*')
{
t=t+2;
in_comment = 1;
}
if( line[t] == '*' && line[t+1] == '/')
{
t=t+2;
in_comment = 0;
}
if(in_comment == 1)
{
t++;
}
else
{
printf ("%c", line[t]);
t++;
}
}
else
{
printf ("%c", line[t]);
t++;
}
}
}
return 0;
}
/* getline: specialized version */
int getline(void)
{
int c, i;
externchar line[];
for ( i=0;i<MAXLINE-1 && ( c=getchar()) != EOF && c != '\n'; ++i)
line[i] = c;
if(c == '\n')
{
line[i] = c;
++i;
}
line[i] = '\0';
return i;
}
When the program discovers a double quote, it sets the in_quote flag to 1. But what about closed quotes? It doesn't ever seem to set the in_quote flag back to 0. Am I missing something?
Yes the program has a bug in it in that as soon as it encounters a " character, it will not behave as expected and will output every character it finds after that.
If you read further down the page, you will see the code writer did mention this bug, and there are more code snippets on the same page that attempt to correct the bug.