注意:
- 在将String转为基本数据类型时,要确保String类型能够转为有效的数据,比如可以把”123”转化为一个整数,但是不能把”hello”转化为一个整数。
- 如果转化格式不正确,就会抛出异常,程序就会终止。
- String可以和8种基本数据类型变量做运算,且运算只能是连接运算:+
- 运算的结果任然是String类型(引用类型)
代码演示:
public class Main {
public static void main(String[] args) {
//基本数据类型->String
int n1 = 100;
float f1 = 1.1f;
double d1 = 4.5;
boolean b1 = true;
String s1 = n1 + "";
String s2 = f1 + "";
String s3 = d1 + "";
String s4 = b1 + "";
System.out.println(s1 + " " + s2 + " " + s3 + " " + s4 + " ");
//String->对应的基本数据类型
String s5 = "123";
//使用基本数据卡类型对应的包装类的相应方法,得到基本数据类型。
int num1 = Integer.parseInt(s5);
double num2 = Double.parseDouble(s5);
float num3 = Float.parseFloat(s5);
long num4 = Long.parseLong(s5);
byte num5 = Byte.parseByte(s5);
boolean b = Boolean.parseBoolean("true");
short num6 = Short.parseShort(s5);
System.out.println(num1);//123
System.out.println(num2);//123.0
System.out.println(num3);//123.0
System.out.println(num4);//123
System.out.println(num5);//123
System.out.println(num6);//123
System.out.println(b);//true
//取出字符串中的指定字符
System.out.println(s5.charAt(0));
}
}
运行结果: