C++ programming problem 101 string counts characters

1.1 String counts characters

Enter aaaabbbbccc

Output a4b4c3

#include<iostream>
#include<string>
using namespace std;

void countEnglish(string s, int count[]){
	int j=0;
	// 这地方使用的是ASCII码值来表示的字母 
	for(int i=0;i<s.length();i++)
	{
		if(s[i]>='a'&&s[i]<='z')
		{
			j =(int)(s[i]-'a');
			count[j]++;
		}
		if(s[i]>='A'&&s[i]<='Z')
		{
			j =(int)(s[i]-'A');
			count[j]++;
		}
	}
	
} 
//这个程序存在问题:
//1.只能顺序输出a-z的个数,如果字符串不是按顺序的,也会顺序输出a-z的个数
//2.如果是大写 小写字母混合的话 就不行(得用两个数组来存个数) 
int main()
{
	string str;           //定义字符串 s 是小写 
	getline(cin,str);    //输入字符串 
	cout<<"字符串长度:"<<str.length()<<endl; //输出字符串长度 
//	cout<<(int)('z'-'a')<<endl;
	int count[26];
	for(int i=0;i<26;i++)
	{
		count[i]=0;
	}
	//调用函数 
	countEnglish(str,count);
	
	for(int i=0;i<26;i++)
	{
		if(count[i]!=0)
		{
			cout<<(char)('a'+i)<<count[i];
		}
	}
	return 0;
	
}

There are problems with this program:
1. It can only output the number of az in order, if the string is not in order, it will also output the number of az in order
2. If it is a mixture of uppercase and lowercase letters, it will not work (you have to use two arrays to Number of deposits) 

1.2 Improve and solve problems 2

Enter aaabbbAAA

Output a3b3A3

#include<iostream>
#include<string>
using namespace std;

void countEnglish(string s, int count[], int counT[]){
	int j=0;
	// 这地方使用的是ASCII码值来表示的字母 
	for(int i=0;i<s.length();i++)
	{
		if(s[i]>='a'&&s[i]<='z')
		{
			j =(int)(s[i]-'a');
			count[j]++;
		}
		if(s[i]>='A'&&s[i]<='Z')
		{
			j =(int)(s[i]-'A');
			counT[j]++;
		}
	}
	
} 
//解决大写 小写字母混合输入计数问题 (用两个数组来存大写 小写个数) 
int main()
{
	string str;           //定义字符串 s 是小写 
	getline(cin,str);    //输入字符串 
	cout<<str.length()<<endl; //输出字符串长度 
	cout<<(int)('z'-'a')<<endl;
	int count[26]; //存小写字母 
	int counT[26]; //存大写字母
	for(int i=0;i<26;i++)
	{
		count[i]=0;
		counT[i]=0;
	}
	//调用函数 
	countEnglish(str,count,counT);
	
	for(int i=0;i<26;i++)
	{
		//输出小写字母计数
		if(count[i]!=0)
		{
			cout<<(char)('a'+i)<<count[i];
		}
		//输出大写字母计数 
		if(counT[i]!=0)
		{
			cout<<(char)('A'+i)<<counT[i];
		}
	}
	return 0;
	
}

 

Guess you like

Origin blog.csdn.net/u013521274/article/details/102573980