如何在屏幕上显示搜索到的字符串?

时间:2012-10-10 16:13:33

标签: c for-loop strstr

所以,我正在尝试做的是让用户搜索奶酪并将其显示在屏幕上。我遇到了后者。我似乎无法显示字符串,但我的代码仍然运行。这是我的代码:

#include<stdio.h>
#include<string.h>

    char cheeses[][20] = {
        "Cheddar",
        "White Cheddar",
        "Colby Jack",
        "Gouda",
        "Blue Cheese",
        "Gorgonzola",
        "Asiago", 
        "Limburger",
        "Feta",
        "Brie",
        "Goat",
    };

        void find_cheese(const char *search_for)
    {
        int i;
        for (i = 0; i < 5; i++) {
            if (strstr(cheeses[i], search_for))
                printf("Cheese %i: '%s'\n", i, cheeses[i]);
        }
    }

int main()
    {
        char search_for[20];
        printf("Search for: ");
        fgets(search_for, 20, stdin);
        find_cheese(search_for);
        return 0;
    }

那么在这种情况下我该怎么做。我想要它,以便您可以输入“Lim”,并让它显示Limburger(将来它将能够显示奶酪的信息)。我该怎么做?

1 个答案:

答案 0 :(得分:3)

看起来没问题,但你只先搜索5,而Limburger太靠近列表的末尾。

这种类型的代码最好用“哨兵”解决,即用于表示列表已结束的特殊标记。对于字符串,您可以将数组表示为指向字符串而不是固定大小数组的指针数组,然后使用NULL作为标记非常自然。

阵列将成为:

const char *cheeses[] = { "Cheddar", "White Cheddar", "Colby Jack",
          /* ... rest of the cheeses ... */
          NULL
};

然后您可以像这样编写搜索循环:

int i;

for( i = 0; cheeses[i] != NULL; ++i )
{
  /* Test and handling code here, against cheeses[i] just like before. */
}