gpt4 book ai didi

c - c 的 while 循环中的 '\0' 字符

转载 作者:太空宇宙 更新时间:2023-11-04 02:29:23 26 4
gpt4 key购买 nike

我想制作一个函数,它接受一个充满字符串的数组并对单词进行计数。我不认为我在图片中的代码是错误的。每次出现空白时,它都会被计算在内。但是,当 '\0' 字符出现时,while 循环不会执行任何操作。有什么我不知道的吗?

int Number(char w[][20]) {
int i, counter, j;
counter = 0;
for (i = 0; i < 4; i++) {
j = 0;
do {
if ((w[i][j] == '\0') || (w[i][j] == ' '))
++counter;
j++;
} while (w[i][j] != '\0');
printf("counter=%d\n", counter);
}
}

最佳答案

这是您的代码的工作版本和测试程序。

#include <stdbool.h>
#include <stdio.h>

static int wc(const char *str)
{
int count = 0;
bool inword = false;

char c;
while ((c = *str++) != '\0')
{
if (c == ' ')
inword = false;
else
{
if (inword == false)
count++;
inword = true;
}
}
return count;
}

static void Number(const char *tests[], int num_tests)
{
for (int i = 0; i < num_tests; i++)
printf("%d: [%s]\n", wc(tests[i]), tests[i]);
}

int main(void)
{
const char *tests[] =
{
"",
" ",
" ",
"a",
"a b",
" a b ",
" ab cd ",
"The quick brown fox jumps over the lazy dog.",
" The quick brown fox jumps over the lazy dog. ",
};
enum { NUM_TESTS = sizeof(tests) / sizeof(tests[0]) };
Number(tests, NUM_TESTS);
return 0;
}

请注意您的 Number() function 做两个工作——并且应该只做一个,将另一个委托(delegate)给一个单独的函数。它既计算单个字符串中的单词,又打印相关信息。我将字数统计委托(delegate)给一个单独的函数 wc() ,大大简化了 Number() 中的代码— 几乎到了不需要该功能的地步。还要注意,我的版本 Number()被告知它正在处理的数组的条目数,而不是依赖像 4 这样的魔数(Magic Number).请注意,我的代码的输出允许您检查它的准确性。简单地打印输出数字并不能让您如此容易地检查准确性;您必须查看代码才能了解数字的含义。请注意,您的 Number()函数被定义为返回 int但实际上并没有这样做。这个版本被定义为不返回任何东西,它没有。

代码的输出是:

0: []
0: [ ]
0: [ ]
1: [a]
2: [a b]
2: [ a b ]
2: [ ab cd ]
9: [The quick brown fox jumps over the lazy dog.]
9: [ The quick brown fox jumps over the lazy dog. ]

显然,您可以使用 isblank() 优化空间测试或 isspace()来自 <ctype.h> 的宏(函数)如果您愿意,或者以其他方式定义单词和非单词之间的界限。不过,基本概念在相当不正常的空格和单词序列中是可靠的。

如果你真的想要一个二维字符数组,编写代码来处理它并不难,尽管'lazy dog'字符串必须减少以适应char data[][20]干净地。基本思想保持不变 — 和 wc()功能不变。

#include <stdbool.h>
#include <stdio.h>

static int wc(const char *str)
{
int count = 0;
bool inword = false;

char c;
while ((c = *str++) != '\0')
{
if (c == ' ')
inword = false;
else
{
if (inword == false)
count++;
inword = true;
}
}
return count;
}

static void Number(const char tests[][20], int num_tests)
{
for (int i = 0; i < num_tests; i++)
printf("%d: [%s]\n", wc(tests[i]), tests[i]);
}

int main(void)
{
const char tests[][20] =
{
"",
" ",
" ",
"a",
"a b",
" a b ",
" ab cd ",
"The quick brown fox",
" jumps over ",
" the lazy dog ",
};
enum { NUM_TESTS = sizeof(tests) / sizeof(tests[0]) };
Number(tests, NUM_TESTS);
return 0;
}

输出:

0: []
0: [ ]
0: [ ]
1: [a]
2: [a b]
2: [ a b ]
2: [ ab cd ]
4: [The quick brown fox]
2: [ jumps over ]
3: [ the lazy dog ]

"  ab  cd  " 这样的测试示例(在开始、中间和结尾处有双空格)通常非常适合插入边缘情况——在更多的上下文中,而不仅仅是字数统计。例如,许多 shell 脚本无法正确处理类似该字符串的参数。

关于c - c 的 while 循环中的 '\0' 字符,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/46028021/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com