p124 數組案例:字母次數統計#
#include <stdio.h>
#include <stdint.h>
#include <inttypes.h>
#include <limits.h>
#include <ctype.h>
#define LETTER_COUNT 26
int main(void)
{
uint32_t frequency[LETTER_COUNT] = { 0 };
char text[] = "範例文本,用於頻率分析。\0";
// 统计每个字母出现的次数
for (uint32_t i = 0; text[i] != '\0'; i++)
{
char ch = tolower(text[i]);
if (ch >= 'a' && ch <= 'z') {
frequency[ch - 'a']++;
}
}
puts("字母頻率:\n");
for (int i = 0; i < LETTER_COUNT; i++) {
if (frequency[i] > 0) {
printf("'%c': %d\n", 'a' + i, frequency[i]);
}
}
return 0;
}
加強後:
#include <stdio.h>
#include <stdint.h>
#include <inttypes.h>
#include <limits.h>
#include <ctype.h>
#include <string.h> // 包含 strcspn 函數
#define LETTER_COUNT 26
#define MAX_TEXT_LENGTH 256 // 定義最大輸入長度
int main(void)
{
uint32_t frequency[LETTER_COUNT] = { 0 };
char text[MAX_TEXT_LENGTH]; // 用於存儲用戶輸入的文本
//char text[] = "範例文本,用於頻率分析。\0";
printf("請輸入文本: ");
fgets(text, sizeof(text), stdin); // 使用 fgets 讀取一行文本
//處理換行符
text[strcspn(text, "\n")] = '\0'; // 將換行符替換為字符串結束符
//統計每個字母出現的次數
for (uint32_t i = 0; text[i] != '\0'; i++)
{
char ch = tolower(text[i]);
if (ch >= 'a' && ch <= 'z') {
frequency[ch - 'a']++;
}
}
puts("字母頻率:\n");
for (int i = 0; i < LETTER_COUNT; i++) {
if (frequency[i] > 0) {
printf("'%c': %d\n", 'a' + i, frequency[i]);
}
}
return 0;
}
此文由 Mix Space 同步更新至 xLog
原始鏈接為 https://hansblog.top/posts/study-book/c-p124