将字符串12345转换成整数12345
public class StringCharTest {
public static void main(String[] args) {
// 1.创建String类型的对象并打印
String str1 = new String("hello");
System.out.println("str1 = " + str1); // str1 = hello
// 2.获取字符串中的长度以及每个字符内容并打印
System.out.println("字符串的长度是:" + str1.length()); // 5
System.out.println("下标为0的字符是:" + str1.charAt(0)); // 'h'
System.out.println("下标为1的字符是:" + str1.charAt(1)); // 'e'
System.out.println("下标为2的字符是:" + str1.charAt(2)); // 'l'
System.out.println("下标为3的字符是:" + str1.charAt(3)); // 'l'
System.out.println("下标为4的字符是:" + str1.charAt(4)); // 'o'
//System.out.println("下标为5的字符是:" + str1.charAt(5)); // Error
System.out.println("--------------------------------------");
// 3.使用for循环打印所有字符
for(int i = 0; i < str1.length(); i++) {
System.out.println("下标为" + i + "的元素是:" + str1.charAt(i));
}
System.out.println("--------------------------------------");
练习:使用两种方式实现将字符串"12345"转换为整数12345并打印出来
// 提示:a.使用所学方法 b.利用ASCII
String str2 = new String("12345");
// 方式一:直接调用Integer类型中的parseInt方法即可
int ia = Integer.parseInt(str2);
System.out.println("ia = " + ia); // ia = 12345
// 方式二:利用ASCII值实现转换 '1'-'0' => 1 '2'-'0' => 2 ...
int ib = 0;
for(int i = 0; i < str2.length(); i++) {
ib = ib*10 + (str2.charAt(i)-'0'); // ib=1; ib=12;
}
System.out.println("ib = " + ib); // ib = 12345
System.out.println("--------------------------------------");
扩展:使用两种方式实现int类型转换为String并打印
// 方式一:调用String类中的valueOf方法实现转换
String str3 = String.valueOf(ib);
System.out.println("str3 = " + str3); // str3 = 12345
// 方式二:利用字符串连接符实现转换
String str4 = "" + ib;
System.out.println("str4 = " + str4); // str4 = 12345
}
}