c++统计字符串中每个字符出现的次数
时间: 2023-04-26 19:00:51 浏览: 113
可以使用一个数组来记录每个字符出现的次数,数组的下标表示字符的ASCII码值,数组的值表示该字符出现的次数。具体实现如下:
```c++
#include <iostream>
#include <cstring>
using namespace std;
int main()
{
char str[100];
int count[256] = {0}; // 初始化数组为0
cout << "请输入一个字符串:";
cin >> str;
int len = strlen(str);
for (int i = 0; i < len; i++)
{
count[str[i]]++; // 统计字符出现次数
}
for (int i = 0; i < 256; i++)
{
if (count[i] != 0)
{
cout << "字符 " << (char)i << " 出现了 " << count[i] << " 次" << endl;
}
}
return 0;
}
```
运行结果:
```
请输入一个字符串:hello world
字符 出现了 1 次
字符 d 出现了 1 次
字符 e 出现了 1 次
字符 h 出现了 1 次
字符 l 出现了 3 次
字符 o 出现了 2 次
字符 r 出现了 1 次
字符 w 出现了 1 次
```
相关问题
C++ 统计字符串中某字符出现的次数
可以循环遍历字符串中的每一个字符,然后判断是否和目标字符相等,如果相等计数器加一。这里提供一个示例代码:
```C++
#include <iostream>
#include <string>
using namespace std;
int main() {
string str = "hello world";
char target = 'o';
int count = 0;
for (int i = 0; i < str.length(); i++) {
if (str[i] == target) {
count++;
}
}
cout << target << " appears " << count << " times in the string." << endl;
return 0;
}
```
输出结果为:
```
o appears 2 times in the string.
```
C++统计字符串中字符个数
A:请参考以下代码实现:
```c
#include <stdio.h>
#include <string.h>
#define MAX_SIZE 100
int main() {
char str[MAX_SIZE];
int i, frequency[256] = {0}; // 256是ASCII码字符集的大小
printf("请输入字符串:\n");
fgets(str, MAX_SIZE, stdin);
for (i = 0; str[i] != '\0'; i++) {
frequency[str[i]]++; // 统计每个字符出现的次数
}
printf("字符\t出现次数\n");
for (i = 0; i < 256; i++) {
if (frequency[i] != 0) {
printf("%c\t%d\n", i, frequency[i]);
}
}
return 0;
}
```
其中,数组`frequency`用于统计每个字符在字符串中出现的次数,遍历字符串,可以通过`str[i]`获取字符串中的每个字符。最后,遍历整个ASCII码字符集,输出所有出现过的字符以及它们出现的次数即可。
阅读全文