是什么打破了main中的while循环?

时间:2019-04-04 10:05:09

标签: c while-loop

究竟是什么打破了这段代码中的while循环?这是来自C创作者的 C编程语言一书中的代码。它是来自1.9节的代码。我猜int len总是大于0,但是以某种方式编译此代码时,当按Ctrl + Z(Windows的EOF)时,while循环中断。

#include <stdio.h>
#define MAXLINE 1000 /* maximum input line length */

int mgetline(char line[], int maxline);
void copy(char to[], char from[]);

/* print the longest input line */
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 = mgetline(line, MAXLINE)) > 0)
        if (len > max) {
            max = len;
            if (max == len)
                copy(longest, line);
        }
    if (max > 0) /* there was a line */
        printf("%s", longest);
    return 0;
}

/* mgetline: read a line into s, return length */
int mgetline(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;
}

1 个答案:

答案 0 :(得分:3)

循环1:(在copy中)

C中的字符串按惯例NUL终止。 NUL是一个特殊的char值,值为0。

表达式to[i] = from[i]的值是to[i]的新值。

到达NUL时为0,然后退出循环。

循环2:(在main中)

类似地,len = mgetline(line, MAXLINE)的值是len的新值。如果mgetline返回0(即未读取任何字符时返回0),则返回0。这样就退出了循环。