在我看来,这似乎是个小错误,但是鉴于这本书的年代和受欢迎程度,我的观察似乎并没有出现在互联网上的其他地方,我对此感到困惑。也许我只是搜索不好,或者根本不是一个bug。

我正在谈论第一章中的“打印最长的输入行”程序。这是代码:

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

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

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


现在,在我看来,在getline的for条件下,它应该是lim-2而不是lim-1。否则,当输入正好是最大长度,即999个字符,后跟'\n'时,getline将索引到s[MAXLINE]中,这超出范围,并且在调用copy和不以from[]结尾。

最佳答案

我觉得你在某个地方感到困惑。此循环条件:

for (i=0; i < lim-1 && (c=getchar())!=EOF && c!='\n'; ++i)


确保i绝不大于lim - 2,因此在最大长度的情况下,循环退出后ilim-1且空字符存储在最后一个位置。

关于c - 在K&R第二版中有问题吗?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/18341348/

10-10 12:45