我已经尝试理解这段代码的工作两天了,但就是无法理解它。
我的疑问是关于该功能的工作。请不要考虑缺少 main 或其他任何内容。
我无法理解的是,如果 getint() 使用 getchar() 接受输入,它将执行以下操作:
- 假设bufp = 0。该函数将调用getch(),这意味着c=a。(只是一个随机字符)
- 下一步使用 ungetch(a),这意味着 buf[0]=a 和 bufp=1。
- 现在这是我无法得到它的地方。下一次调用 getint() 时,结果为 c=buf[--bufp]=a 和 bufp=0。
- 然后这将再次 ungetch(a),这将导致函数无处可去!
我不知道我在这里是否有一些主要概念错误,但我就是想不通。:(
/* 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); /* it is not a number */
return 0;
}
sign = (c == '-') ? -1 : 1;
if (c == '+' || c == '-')
c = getch();
for (*pn = 0; isdigit(c); c = getch())
*pn = 10 * *pn + (c - '0');
*pn *= sign;
if (c != EOF)
ungetch(c);
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;
}