我从以下代码(注释中标记的数字)中了解了几行,这是一个很大的问题:
首先 - 使用输入数据填充数组的循环代码:
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&amp; R中没有包含它,作者甚至没有提到使用它的必要性?
[2]为什么我们返回0?这会阻止整个main()程序吗?或者它只是将0放在一个数组中? (getint(&amp; array [n])?
[3]为什么我们需要实施这样的公式来计算“大数字”?因为该函数只是一个接一个地获取数字(getchar不是getword),然后通过几个单个整数创建“大数字”。
[4a] [4b]如果c!= EOF,它为什么不会取消?大多数情况下都满足了这个条件,所以我们最终会拒绝每个输入的数字?
提前感谢您的回答!
答案 0 :(得分:1)
ungetch
跟踪正在阅读和处理的函数的整数的字符 - 除非没有字符,而是由EOF
标记的流的结尾。该标记不会返回缓冲区。