I'm looking for a simple and basic way (ideal for beginners to learn the easiest way) to write a program in C++ which gets a string from the user and outputs the number of uppercase letters, lowercase letters and integers (numbers). I'm pretty amateur at using C++ syntax so please help me with an easy-to-understand syntax. Thanks!
EDIT: Here is a very simple code that I found in Google and did some changes and corrections:
#include <iostream>
#include <conio.h>
using namespace std;
int main()
{
char array1[50];
int i = 0, lowercase = 0, uppercase = 0, numbers = 0, total;
cout << "Enter a string: "<<endl;
cin >> array1;
cout <<endl;
while (array1[i] != 0){
if(array1[i] >= 'a' && array1[i] <= 'z'){
lowercase++;
i++;
}
else if (array1[i] >= 'A' && array1[i] <= 'Z'){
uppercase++;
i++;
}
else if (array1[i] >= '0' && array1[i] <= '9'){
numbers++;
i++;
}
else
i++;
}
total = lowercase + uppercase + numbers;
cout << "Your string has " << lowercase << " lowercase letters." << endl;
cout << "Your string has " << uppercase << " uppercase letters." <<endl;
cout << "Your string has " << numbers << " numbers." <<endl;
cout << "Your string has " << total << " total characters." <<endl;
getch();
return 0;
}
So in this code; we are assuming that the end of a string has the integer 0, right? How can we change it so we can have spaces in the string?
Try:
#include <algorithm>
#include <iostream>
#include <cctype>
#include <string>
using namespace std;
int main()
{
cout << " Enter text: ";
string s;
if(getline(cin, s))
{
size_t count_lower = count_if(s.begin(), s.end(),
[](unsigned char ch) { return islower(ch); });
cout << "lowers: " << count_lower ;
size_t count_upper = count_if(s.begin(), s.end(),
[](unsigned char ch) { return isupper(ch); });
cout << "uppers: " << count_upper ;
size_t count_digit = count_if(s.begin(), s.end(),
[](unsigned char ch) { return isdigit(ch); });
cout << "digits: " << count_digit ;
}
}
#include<stdio.h>
main()
{
int upper = 0, lower = 0,digit=0,special=0;
char ch[80];
int i;
printf("\nEnter The String : ");
gets(ch);
for(i = 0; ch[i]!='\0';i++)
{
if (ch[i] >= 'A' && ch[i] <= 'Z')
upper++;
else if (ch[i] >= 'a' && ch[i] <= 'z')
lower++;
else if(ch[i] >='0' && ch[i] <='9')
digit++;
else if(ch[i]!=' ')
special++;
}
printf("\nUppercase Letters : %d", upper);
printf("\nLowercase Letters : %d", lower);
printf("\nDigits : %d", digit);
printf("\nSpecial Characters : %d",special);
}
来源:https://stackoverflow.com/questions/28948722/how-to-code-a-c-program-which-counts-the-number-of-uppercase-letters-lowercas