本文实例为大家分享了java字符串遍历,以及java统计字符串中各类字符的具体代码,供大家参考,具体内容如下
1、需求:获取字符串中的每一个字符
分析:
A:如何能够拿到每一个字符呢?
char charAt(int index)
B:我怎么知道字符到底有多少个呢?
int length()
1
2
3
4
5
6
7
8
9
10
11
12
|
public class StringTest {
public static void main(String[] args) {
// 定义字符串
String s = "helloworld" ;
for ( int x = 0 ; x < s.length(); x++) {
// char ch = s.charAt(x);
// System.out.println(ch);
// 仅仅是输出,我就直接输出了
System.out.println(s.charAt(x));
}
}
}
|
2、需求:统计一个字符串中大写字母字符,小写字母字符,数字字符出现的次数。(不考虑其他字符)
举例:
"Person1314Study"
分析:
A:先定义三个变量
bignum、samllnum、numbersum
B:进行数组的遍历
for()、lenght()、charAt()
C:判断各个字符属于三个变量哪个
bignum:(ch>='A' && ch<='Z')
smallnum:(ch>='a' && ch<='z')
numbersum:(ch>='0' && ch<='9')
D:输出
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
|
public class StringTest3 {
public static void main(String[] args) {
//定义一个字符串
String s = "Person1314Study" ;
//定义三个统计变量
int bignum = 0 ;
int smallnum = 0 ;
int numbernum = 0 ;
//遍历字符串,得到每一个字符。
for ( int x= 0 ;x<s.length();x++){
char ch = s.charAt(x);
//判断该字符到底是属于那种类型的
if (ch>= 'A' && ch<= 'Z' ){
bignum++;
}
else if (ch>= 'a' && ch<= 'z' ){
smallnum++;
}
else if (ch>= '0' && ch<= '9' ){
numbernum++;
}
}
//输出结果。
System.out.println( "含有" +bignum+ "个大写字母" );
System.out.println( "含有" +smallnum+ "个小写字母" );
System.out.println( "含有" +numbernum+ "个数字" );
}
}
|
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:http://www.cnblogs.com/shuilangyizu/p/8460885.html