在 K&R 的“C 编程语言”(第二版)的第 29 页上,我阅读了一个我认为已损坏的程序。由于我是初学者,我希望我错了,尽管我无法解释原因。
这是代码:
#include <stdio.h>
#define MAXLINE 1000 // Maximum input line size
int get1line(char line[], int maxline);
void copy(char to[], char from[]);
// Print longest input line
int
main()
{
int len; // Current line lenght
int max; // Maximum lenght seen so far
char line[MAXLINE]; // Current input line
char longest[MAXLINE]; // Longest line saved here
max = 0;
while ((len = get1line(line, MAXLINE)) > 0)
if (len > max) {
max = len;
copy(longest, line);
}
if (max > 0) // There was a line to read
printf("Longest string read is: %s", longest);
return 0;
}
// `get1line()` : save a line from stdin into `s`, return `lenght`
int
get1line(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`; assuming
// `to` is big enough.
void
copy(char to[], char from[])
{
int i;
i = 0;
while ((to[i] = from[i]) != '\0')
++i;
}
我的困惑是:我们正在使用该函数get1line
,并假设在for
-loop的末尾i
设置为lim -1
. 然后以下if
-statement 将更新i
at lim
,导致下一条指令(将NULL
字符放在字符串末尾的指令)破坏堆栈(因为s[lim]
在这种情况下未分配)。
代码被破坏了吗?