21天刷题计划之10.1—统计大写字母个数(Java语言描述)
程序员文章站
2022-07-14 23:37:28
...
题目描述:
找出给定字符串中大写字符(即’A’-‘Z’)的个数
接口说明
原型:int CalcCapital(String str);
返回值:int
输入描述:
输入一个String数据
输出描述:
输出string中大写字母的个数
示例1
输入
add123#$%#%#O
输出
1
分析:
获取输出的字符串,将字符串转换成字符数组,遍历字符数组并判断是否为大写字母即可。
import java.util.Scanner;
public class Main {
public static void main(String[] args) throws Exception {
Scanner scan = new Scanner(System.in);
while(scan.hasNext()){
String str = scan.next();
System.out.println(CalcCapital(str));
}
}
public static int CalcCapital(String str) throws Exception {
if(str == null || str.length() == 0){
throw new Exception("输入有误!!!");
}
char[] ch = str.toCharArray();
int count = 0;
for(int i = 0 ; i < ch.length ; i++){
if(ch[i]>='A' && ch[i]<='Z'){
count++;
}
}
return count;
}
}