char
8 ビットのシステムがあり、数えようとしているすべての文字が負でない数を使用してエンコードされていると仮定しましょう。この場合、次のように記述できます。
const char *str = "The quick brown fox jumped over the lazy dog.";
int counts[256] = { 0 };
int i;
size_t len = strlen(str);
for (i = 0; i < len; i++) {
counts[(int)(str[i])]++;
}
for (i = 0; i < 256; i++) {
if ( count[i] != 0) {
printf("The %c. character has %d occurrences.\n", i, counts[i]);
}
}
これにより、文字列内のすべての文字がカウントされることに注意してください。文字列に文字のみ (数字、空白、句読点なし) が含まれることが 100% 確実である場合は、1. 「大文字と小文字を区別しない」ように要求することが理にかなっています。2. エントリの数を減らすことができます。を英語のアルファベットの文字数 (つまり 26) にすると、次のように書くことができます。
#include <ctype.h>
#include <string.h>
#include <stdlib.h>
const char *str = "TheQuickBrownFoxJumpedOverTheLazyDog";
int counts[26] = { 0 };
int i;
size_t len = strlen(str);
for (i = 0; i < len; i++) {
// Just in order that we don't shout ourselves in the foot
char c = str[i];
if (!isalpha(c)) continue;
counts[(int)(tolower(c) - 'a')]++;
}
for (i = 0; i < 26; i++) {
printf("'%c' has %2d occurrences.\n", i + 'a', counts[i]);
}