I wrote this program to accept a file and scan the number of lines, paragraphs, and words in the file.
The problem is, it does not stop scanning, ever. It never comes out of the while (nextChar!='\n') loop. So the functions processBlank and copyText never stop running. It never hits the EOF.
I am unsure how to proceed. I am at a loss for a solution so any help is appreciated :)
#include <stdio.h>
#include <stdlib.h>
void initialize(int *p1,int *p2,int *p3,int *p4)
{
*p1=0;
*p2=0;
*p3=0;
*p4=0;
}
void processBlank(char *nextChar,int *wordsinLine,FILE *ctPtr)
{
while (*nextChar==' ')
{
printf("%c",*nextChar);
*nextChar=fgetc(ctPtr);
}
*wordsinLine+=1;
}
void copyText(char *nextChar,FILE *ctPtr)
{
while (*nextChar!=' ')
{
printf("%c",*nextChar);
*nextChar=fgetc(ctPtr);
}
}
void updateCount(int *numWords,int *wordsinLine,int *numParagraphs,int *numLines)
{
*numWords+=*wordsinLine;
if (*wordsinLine==0)
*numParagraphs+=1;
*wordsinLine=0;
*numLines+=1;
}
void printTotal(int numWords,int numLines,int numParagraphs)
{
printf("\n\n\n\nTotal number of words is: %d\n\n",numWords);
printf("Total number of lines is: %d\n\n",numLines);
printf("Total number of paragraphs is: %d\n\n\n\n",numParagraphs);
}
void main()
{
int numWords,numLines,numParagraphs,wordsinLine;
initialize(&numWords,&numLines,&numParagraphs,&wordsinLine);
FILE *ctPtr;
char nextChar;
if ((ctPtr=fopen("Q2read.txt", "r"))==NULL)
printf("File could not be opened\n");
else
{
nextChar=fgetc(ctPtr);
while (nextChar!=feof(ctPtr))
{
while (nextChar!='\n')
{
processBlank(&nextChar,&wordsinLine,ctPtr);
copyText(&nextChar,ctPtr);
}
updateCount(&numWords,&wordsinLine,&numParagraphs,&numLines);
}
printTotal(numWords,numLines,numParagraphs);
fclose(ctPtr);
}
}
Major: Change
nextChar!=feof(ctPtr)
tonextChar != EOF
.feof()
return "nonzero if and only if the end-of-file indicator is set"EOF
is some negative number.2 different things - not well comparable.
Minor: change
void main()
toint main(void)
Minor Change
char nextChar
toint nextChar
(also related function calls.)Major:
copyText()
: change towhile (*nextChar != ' ' && *nextChar != EOF) {
In
main()
change towhile (nextChar != '\n' && nextChar != EOF) {
Add EOF test.