程序计算C中字符串中每个单词的长度

时间:2018-11-21 18:48:55

标签: c c-strings word

我正在编写一个程序来计算字符数组中每个单词的长度。我想知道你们是否可以帮助我,因为我现在至少要努力两个小时,而且我不知道该怎么做。 它应该像这样:

(字母数)-(具有多个字母的字数)
  2-1
  3-4
  5-1
等。

char tab[1000];
int k = 0, x = 0;

printf("Enter text: ");
fgets(tab, 1000, stdin);

for (int i = 2; i < (int)strlen(tab); i++)
{


    for (int j = 0; j < (int)strlen(tab); j++)
    {
        if (tab[j] == '\0' || tab[j]=='\n')
            break;
        if (tab[j] == ' ')
            k = 0;
        else k++;

        if (k == i)
        {
            x++;
            k = 0;
        }
    }
    if (x != 0)
    {
        printf("%d - %d\n", i, x);
        x = 0;
        k = 0;
    }

}



return 0;

1 个答案:

答案 0 :(得分:0)

通过使用两个 for循环,您正在执行len**2字符扫描。 (例如)对于长度为1000的缓冲区,您需要进行1,000,000个比较,而不是1000个字符比较。

如果我们使用字长直方图数组,则可以在单个 for循环中完成。

基本算法与您的内部循环相同。

当我们有一个非空格字符时,我们将增加当前长度值。当我们看到一个空间时,我们将直方图单元格(由长度值索引)增加1。然后将长度值设置为0。

这里有一些有效的代码:

#include <stdio.h>

int
main(void)
{
    int hist[100] = { 0 };
    char buf[1000];
    char *bp;
    int chr;
    int curlen = 0;

    printf("Enter text: ");
    fflush(stdout);

    fgets(buf,sizeof(buf),stdin);
    bp = buf;

    for (chr = *bp++;  chr != 0;  chr = *bp++) {
        if (chr == '\n')
            break;

        // end of word -- increment the histogram cell
        if (chr == ' ') {
            hist[curlen] += 1;
            curlen = 0;
        }

        // got an alpha char -- increment the length of the word
        else
            curlen += 1;
    }

    // catch the final word on the line
    hist[curlen] += 1;

    for (curlen = 1;  curlen < sizeof(hist) / sizeof(hist[0]);  ++curlen) {
        int count = hist[curlen];
        if (count > 0)
            printf("%d - %d\n",curlen,count);
    }

    return 0;
}

更新:

  

,我不太了解指针。有没有更简单的方法可以做到这一点?

指针是军械库中非常重要的[必要]工具,所以希望您能尽快找到它们。

但是,转换for循环很容易(删除char *bp;bp = buf;):

更改:

for (chr = *bp++;  chr != 0;  chr = *bp++) {

进入:

for (int bufidx = 0;  ;  ++bufidx) {
    chr = buf[bufidx];
    if (chr == 0)
        break;

for循环的其余部分保持不变。

这是另一个循环[但是,没有经过编译器的优化]双重获取char:

for (int bufidx = 0;  buf[bufidx] != 0;  ++bufidx) {
    chr = buf[bufidx];

这里是单行版本。请注意,由于在循环条件子句中chr 中嵌入了赋值,因此建议这样做,但这只是出于说明目的:

for (int bufidx = 0;  (chr = buf[bufidx]) != 0;  ++bufidx) {