- Author 杨叔
- 分析以下程序创建字符串对象的区别
- 1.string s1=“abc”只会在字符串常量池中创建一个“abc”字符串对象
- 2.String s2 = new String(“hello”);会在字符串常量池中创建一个“hello”字符串对象,并且会在堆中再创建一个“hello”字符串对象。
public class Test {
public static void main(String[] args) {
String s1 = "abc";
String s2 = new String("hello");
}
}
第二种方式比较浪费内存,常用第一种方式
- 关于string面试题
public class Test01 {
public static void main(String[] args) {
//判断以下程序创建了几个对象?(3个)
//堆中2个
//方法区字符串常量池中1个
String s1 = new String("hello");
String s2 = new String("hello");
}
}
通过以上代码分析,使用string时不建议使用new关键字,因为new会创建两个对象
- 使用string的时候我们应该注意的问题:尽量不要做字符串频繁的拼接操作,因为字符串一旦被创建不可改变,只要频繁拼接,就会在字符串常量池中创建大量的字符串对象,给垃圾回收带来问题
public class Test02 {
public static void main(String[] args) {
String[] ins={"打篮球","打乒乓球","踢足球","唱歌"};
//用for循环做个拼接,将所有字符串拼接成一个字符串:"打篮球,打乒乓球,踢足球,唱歌"
String temp="";
for (int i=0;i<ins.length;i++){
if (i==ins.length-1){
temp +=ins[i];
}else {
temp +=ins[i]+",";
}
}
System.out.println(temp);//打篮球,打乒乓球,踢足球,唱歌
}
}