0

我正在跟随一本关于 C 的书来学习它,并且我正在编写书中的所有代码以继续学习,最新的与数组有关的代码应该说明有多少空格、制表符等。但是当我执行它,什么都没有出现,它只是空白,因为我可以输入一些东西然后按 Enter 并且没有任何反应,它应该告诉我每件事有多少吗?

我太新了,不明白这个程序是否真的应该输出任何东西,所以我想我会把它贴在这里并征求意见,它编译并运行良好,没有错误,但是这本书有点提到它输出东西,但是当我运行它并输入内容时没有任何反应,可以永远输入内容。

这是代码

 #include <stdio.h>

 int main()
 {
    int c, i, nwhite, nother;
    int ndigit[10];
    nwhite = nother = 0;
    for (i = 0; i < 10; ++i)
    ndigit[i] = 0;
    while ((c = getchar()) != EOF)
    if (c >= '0' && c <= '9')
      ++ndigit[c-'0'];
    else if (c == ' ' || c == '\n' || c == '\t')
      ++nwhite;
    else
    ++nother;
    printf("digits =");
    for (i = 0; i < 10; ++i)
    printf(" %d", ndigit[1]);
    printf(", white space = %d, other = %d\n", nwhite, nother);
 }
4

3 回答 3

1

应用程序输入一些值,然后计算位数 (0-9) 和空格。中断循环的组合键不是 ENTER 而是 EOF,在 Linux 中是CRTL-D而在 WINDOWS 中是CTRL-Z

然后,在您的应用程序中有一个错误:

  for (i = 0; i < 10; ++i)
        printf(" %d", ndigit[1]);

为了显示位数,这应该是:

for (i = 0; i < 10; ++i)
    printf(" %d", ndigit[i]);

不幸的是,在使用 scanf()、getchar()、fgets() 等时,获取交互式输入是相当有问题的。这就是为什么大多数人通常编写自己的自定义函数,通常从 stdin 获取整行,然后根据需要对其进行解析. 但是,如果您想使用 ENTER 停止循环,您可以修改代码如下,但您将失去计算输入中新行数的可能性。

#include <stdio.h>

int main(void)
{
  int c, i, nwhite, nother;
  int ndigit[10];

  nwhite = nother = 0;
  for (i = 0; i < 10; ++i)
    ndigit[i] = 0;

  while ((c = getchar()) != '\n')
    if (c >= '0' && c <= '9')
      ++ndigit[c-'0'];
    else if (c == ' ' || c == '\n' || c == '\t')
      ++nwhite;
    else
      ++nother;
  printf("digits =");
  for (i = 0; i < 10; ++i)
    printf(" %d", ndigit[i]);
  printf(", white space = %d, other = %d\n", nwhite, nother); 

return 0; 

}

这应该可以按您的预期工作。但是,你应该考虑写一个更好的输入函数,网上有几个有趣的解决方案。

编辑

main() 必须返回 int。不是 void,不是 bool,不是 float。诠释。只是int,只有int,只有int。一些编译器接受 void main(),但这是非标准的,不应使用。

在此处查看一些示例:http: //www.parashift.com/c++-faq-lite/main-returns-int.html

于 2013-07-24T09:12:23.620 回答
0

改变

printf(" %d", ndigit[1]);

printf(" %d", ndigit[i]);

输入值后按ctrl+d给出EOF

输入:

2 4 6 8     //3 white space + 1 new line = 4 white space
[ctrl + d]

输出:

digits = 0 0 1 0 1 0 1 0 1 0, white space = 4, other =0 
于 2013-07-24T09:06:19.347 回答
0

您可以使用以下方法提供 EOF

视窗:

Press F6 then ENTER
or 

Ctrl+Z

LINUX:

Ctrl+D
于 2013-07-24T09:01:57.703 回答