美文网首页
String,StringBuffer,StringBuilde

String,StringBuffer,StringBuilde

作者: 得力小泡泡 | 来源:发表于2020-12-02 23:08 被阅读0次

    1、String

    String源码的主要部分

    public final class String
        implements java.io.Serializable, Comparable<String>, CharSequence {
        /** The value is used for character storage. */
        private final char value[];
    
        /** Cache the hash code for the string */
        private int hash; // Default to 0
        ...
        ...
    }
    

    性质
    1、String声明为final的,不可被继承
    2、String实现了Serializable接口:表示字符串是支持序列化的;实现了Compareable接口:表示String可以比较大小
    3、String内部定义了final char[] value用于存储字符串数据
    4、String具有不可变性,在方法区中的常量池中,相同的字符串引用的地址一样,不同字符串就会重新创建放在方法区
    5、通过字面量的方式(区别与new)给一个字符串赋值,此时的字符串值声明在字符串常量池中
    6、字符串常量池中是不会存储相同内容的字符串的

    String对象的创建

        public static void main(String[] args) {
            String str = "hello";
            
            //本质上this.value = new char[0]
            String s1 = new String();
            
            //this.value = orginal.value;
            String s2 = new String(String ogirinal);
            
            //this.value = Arrays.copyOf(value, value.length);
            String s3 = new String(char[] a);
            
            String s4 = new String(char[] a, int startIndex, int count);
        }
    

    问题1:
    String str1 = "abc" 与String str2 = new String("abc")的区别

    str1 == str2 //false


    image.png

    问题2:


    image.png

    问题3:


    image.png

    面试题:String s = new String("abc");方法创建对象,在内存中创建了几个对象?
    回答:两个:一个是堆空间中new结构,另以个是char[]对应的常量池中的数据:"abc"

    2、String的拼接

    1、常量常量的拼接结果在常量池中,且常量池中不会存在相同内容的常量
    2、只要其中有一个是变量,结果就在堆中
    3、如果拼接的结果调用intern()方法,返回值就在常量池中

    image.png
        @Test
        public void test1(){
            String s1 = "helloworld";
            final String s2 = "hello";//s2 是常量
            String s3 = s2 + "world";
            System.out.println(s1 == s3);//true
        }
    

    练习


    image.png

    3、String、StringBuffer、StringBuilder的异同

    相同:底层使用char[]存储

    • String:不可变的字符序列
    • StringBuffer:可变的字符序列,线程安全,效率低(方法都加了个synchronized)
    • StringBuilder:可变的字符序列,线程不安全,效率高
      相比于String,StringBuffer和StringBuilder可以对对象进行修改

    源码分析:
    String str = new String();//char[] value = new char[0];
    String str1 = new String("abc");//char[] value = new char[]{'a', 'b', 'c'};

    StringBuffer sb1 = new StringBuffer();//char[] value = new char[16];底层创建了一个长度是16的数组
    sb1.append('a');//value[0] = 'a';
    sb1.append('b');//value[1] = 'b';

    扩容问题:如果要添加的数据底层数组装不下了,那就需要扩容底层的数组。默认情况下,扩容为原来容量的2倍 + 2,同时将原有数组中的元素复制到新的数组中

    建议:开发中建议使用:StringBuffer(int capacity)或StringBuilder(int capacity)

    相关文章

      网友评论

          本文标题:String,StringBuffer,StringBuilde

          本文链接:https://www.haomeiwen.com/subject/bbljwktx.html