字符数组转字符串
char[] chs = {'h', 'e', 'l', 'l', 'o'};
//传递一个参数,即字符数组名字
String str1 = new String(chs);
System.out.println("通过构造函数,整体转换:");
System.out.println(str1);
//传递三个参数,即字符数组名字, 开始的下标,转换的长度
String str2 = new String(chs, 1, 3);
System.out.println("通过构造函数,部分转换:");
System.out.println(str2);
//传递一个参数,即字符数组名字
String str3 = String.valueOf(chs);
System.out.println("通过String.valueOf()方法,整体转换:");
System.out.println(str3);
通过构造函数,整体转换:
hello
通过构造函数,部分转换:
ell
通过String.valueOf()方法,整体转换:
hello
字符串转字符数组
调用String的toCharArray()方法
String str = "world";
char[] chs = str.toCharArray();
System.out.println(Arrays.toString(chs));
[w, o, r, l, d]
也可以自己遍历
char[] chs2 = new char[str.length()];
for (int i = 0; i < chs2.length; i++) {
chs2[i] = str.charAt(i);
}
System.out.println(Arrays.toString(chs2));
[w, o, r, l, d]