我在理解以下代码中的几行时遇到了一个大问题(注释中标记的数字):
首先 - 用输入数据填充数组的循环代码:
int n, array[SIZE], getint(int *);
for (n = 0; n < SIZE && getint(&array[n]) != EOF; n++)
;
现在函数定义:
/* getint: get next integer from input into *pn */
int getint(int *pn)
{
int c, sign;
while (isspace(c = getch())) /* skip white space */
;
if (!isdigit(c) && c != EOF && c != '+' && c != '-') {
ungetch(c); /* [1] */ /* it is not a number */
return 0; /* [2] */
}
sign = (c == '-') ? -1 : 1;
if (c == '+' || c == '-')
c = getch();
for (*pn = 0; isdigit(c); c = getch())
*pn = 10 * *pn + (c - '0'); [3]
*pn *= sign;
if (c != EOF) /* [4a] */
ungetch(c); /* [4b] */
return c;
}
#define BUFSIZE 100
char buf[BUFSIZE]; /* buffer for ungetch */
int bufp = 0; /* next free position in buf */
int getch(void) /* get a (possibly pushed-back) character */
{
return (bufp > 0) ? buf[--bufp] : getchar();
}
void ungetch(int c) /* push character back on input */
{
if(bufp >= BUFSIZE)
printf(" ungetch too many characters\n");
else
buf[bufp++] = c;
}
所以:
[1] 我在这里读过类似的帖子,取回这样一个不需要的字符会以某种方式阻塞缓冲区,因此我们需要使用另一个函数来清除它。对我来说,奇怪的是没有包含在 K&R 中,作者甚至没有提到使用它的必要性?
[2] 为什么我们返回 0?这会停止整个 main() 程序吗?还是只是将 0 放入数组中?( getint(&array[n]) ?
[3] 为什么我们需要实现这样一个公式来计算“大数”?由于该函数只是一个接一个地获取数字(getchar 不是 getword),然后通过几个单个整数创建“大数字”。
[4a][4b] 如果 c != EOF,为什么它会取消提取?这个条件大部分时间都满足了,所以我们最终会拒绝每个输入的数字吗?
提前感谢您的回答!