在java中String字符串的拼接形式:

  在java中,String是一个用final修饰的不可变的类,所以String对象一旦被创建出来就不能修改了,如果修改String字符串就相当于创建了一个新的String对象,再将新的对象的地址返回给他的引用。

  

package java.lang;
//import ...
public final class String
    implements java.io.Serializable, Comparable<String>, CharSequence {
    /** The value is used for character storage. */
    private final char value[];
}

  在java中,字符串是基于字符数组 value 实现的,而String中的 value是final修饰的,一旦赋值了就不可以改变。

方式一:

  使用运算符”+“

1 String s1 = "abc";
2 String s2 = "def";
3 String s3 = "abc" + "def";
4 String s4 = "abc" + s2;
5 String s5 = s1 + s2;

  第三行:如果是字符串常量的直接拼接,其实是在常量池中直接创建新的字符串,然后将其赋值给引用。

  第四、五行:如果是含有字符串变量的拼接,在java中其实是通过StringBuilder创建了一个新的String对象。

(new StringBuilder()).append("abc").append(var2).toString();
(new StringBuilder()).append(var1).append(var2).toString();

  

方式二:

  使用 concat()

String s1 = "abc";
String s2 = "def ";
String s3 = s1.concat(s2);

  concat的源码

public String concat(String str) {
        int otherLen = str.length();
        if (otherLen == 0) {
            return this;
        }
        int len = value.length;
        char buf[] = Arrays.copyOf(value, len + otherLen);
        str.getChars(buf, len);
        return new String(buf, true);
    }
void getChars(char dst[], int dstBegin) {
        System.arraycopy(value, 0, dst, dstBegin, value.length);
    }

  从源码可以看出,调用concat方法,其实就是通过调用Arrays.copyOf()方法,创建了一个大小为 s1.length + s2.length 的字符数组,再先后将s1 和 s2 拷贝进新数组,最后通过这个字符数组创建一个新的String对象 返回。

版权声明:本文为1597642143-tao原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://www.cnblogs.com/1597642143-tao/p/16031170.html