package cn.itcast_05;
/*
* String的轉換功能:
* byte[] getBytes():把字串轉換為位元組陣列。
* char[] toCharArray():把字串轉換為字元陣列。
* static String valueOf(char[] chs):把字元陣列轉成字串。
* static String valueOf(int i):把int型別的資料轉成字串。
* 注意:String類的valueOf方法可以把任意型別的資料轉成字串。
* String toLowerCase():把字串轉成小寫。
* String toUpperCase():把字串轉成大寫。
* String concat(String str):把字串拼接。
*/
public class StringDemo {
public static void main(String[] args) {
// 定義一個字串物件
String s = "JavaSE";
// byte[] getBytes():把字串轉換為位元組陣列。
byte[] bys = s.getBytes();
for (int x = 0; x < bys.length; x++) {
System.out.println(bys[x]);
}
// char[] toCharArray():把字串轉換為字元陣列。
char[] chs = s.toCharArray();
for (int x = 0; x < chs.length; x++) {
System.out.println(chs[x]);
}
// static String valueOf(char[] chs):把字元 陣列轉成字串。
String ss = String.valueOf(chs);
System.out.println(ss); //JavaSE
// static String valueOf(int i):把int型別的資料轉成字串。
int i = 100;
String sss = String.valueOf(i);
System.out.println(sss); //100
// String toLowerCase():把字串轉成小寫。
System.out.println("toLowerCase:" + s.toLowerCase()); //toLowerCase:javase
System.out.println("s:" + s);
// String toUpperCase():把字串轉成大寫。
System.out.println("toUpperCase:" + s.toUpperCase()); //toUpperCase:JAVASE
// String concat(String str):把字串拼接。
String s1 = "hello";
String s2 = "world";
String s3 = s1 + s2;
String s4 = s1.concat(s2);
System.out.println("s3:"+s3); //s3:helloworld
System.out.println("s4:"+s4); //s4:helloworld
}
}