I'm going through section 1.9 in K&R, I don't understand the use of EOF in the code implemented below
#include <stdio.h>
#define MAXLINE 1000 /* maximum input line length */
int mymygetline(char line[], int maxline);
void copy(char to[], char from[]);
/* print the longest input line */
int main()
{
int len; /* current line length */
int max; /* maximum length seen so far */
char line[MAXLINE]; /* current input line */
char longest[MAXLINE]; /* longest line saved here */
max = 0;
while ((len = mymygetline(line, MAXLINE)) > 0) {
if (len > max) {
max = len;
copy(longest, line);
}
}
if (max > 0) /* there was a line */
printf("%s", longest);
return 0;
}
/* mymygetline: read a line into s, return length */
int mymygetline(char s[], int lim)
{
int c, i;
for (i = 0; i < lim - 1 && (c = getchar()) != EOF && c != '\n'; ++i)
s[i] = c;
if (c == '\n') {
s[i] = c;
++i;
}
s[i] = '\0';
return i;
}
/* copy: copy 'from' into 'to'; assume to is big enough */
void copy(char to[], char from[])
{
int i;
i = 0;
while ((to[i] = from[i]) != '\0')
++i;
}
What I tried:
- The initial program run well with difference line of input mark with "\n" is easy to understand
- When I tried to enter EOF firsttime inline, it just end recent input stream and set getchar() in waiting mode for input stream.
Question:
- When I enter EOF twice inline, does the first EOF just act like a "\n" or some other mechanism or I just missing something here.
Here is how a keypress propagates to your code (mymygetline()) function:
If the user presses Ctrl-D, read(2) returns the bytes buffered so far (if any), a subsequent read(2) (triggered by the second Ctrl-D) returns 0, which causes getchar(3) to return EOF.