Skip to content

Latest commit

 

History

History
54 lines (36 loc) · 1.33 KB

112.md

File metadata and controls

54 lines (36 loc) · 1.33 KB

C 程序:查找字符串中字符的频率

原文: https://www.programiz.com/c-programming/examples/frequency-character

在此示例中,您将学习查找字符串中字符的频率。

要理解此示例,您应该了解以下 C 编程主题:


找出字符的频率

#include <stdio.h>
int main() {
    char str[1000], ch;
    int count = 0;

    printf("Enter a string: ");
    fgets(str, sizeof(str), stdin);

    printf("Enter a character to find its frequency: ");
    scanf("%c", &ch);

    for (int i = 0; str[i] != '\0'; ++i) {
        if (ch == str[i])
            ++count;
    }

    printf("Frequency of %c = %d", ch, count);
    return 0;
} 

输出

Enter a string: This website is awesome.
Enter a character to find its frequency: e
Frequency of e = 4 

在该程序中,用户输入的字符串存储在str中。

然后,要求用户输入要找到其频率的字符。 它存储在变量ch中。

然后,使用for循环迭代字符串的字符。 在每次迭代中,如果字符串中的字符等于ch,则count增加 1。

最后,打印存储在count变量中的频率。