题目:输入一个字符串,统计其中26个字母各自的出现次数并输出结果(不区分大小写)
//Input a string, count the number of 26 letters and output the result
头文件
#include<iostream>
#include<string>
#include<vector>
#include<cctype>
主函数
int main()
{
using namespace std;
string line;
getline(cin, line); // 读取一行字符,getline会自动舍弃最后的回车
vector<int> ivec(26,0); //26个字母的计数器,都初始化为 0
for (auto& c : line) //用范围for来遍历输入的一行字符
//用引用来修改line中的字符的值
{
c = toupper(c); //不区分大小写,把小写字母转换成大写字母
static_cast<int>(c); //转换完后,将字母强制转换成数字
if (c >= 65 && c <= 90) //'A' = 65 'Z' = 90
ivec[c - 65] += 1; //正好可以用'A'和'Z'对应的ASCII码作为下标
}
for (auto i = 0; i < 26; i++) //输出函数
cout << "The number of "
<< static_cast<char>(i + 65) //用强制转换把 0~26 打印大写字母'A'~'Z'
<<"/"
<< static_cast<char>(i + 65 + 32) // 大写字母和小写字母的ASCII值差32
<<" is "
<< ivec[i] << endl;
}
输出界面