前往小程序,Get更优阅读体验!
立即前往
首页
学习
活动
专区
工具
TVP
发布
社区首页 >专栏 >JDK源码解析之 Java.lang.AbstractStringBuilder

JDK源码解析之 Java.lang.AbstractStringBuilder

作者头像
栗筝i
发布2022-12-01 19:55:43
1940
发布2022-12-01 19:55:43
举报
文章被收录于专栏:迁移内容

这个抽象类是StringBuilder和StringBuffer的直接父类,而且定义了很多方法,因此在学习这两个类之间建议先学习 AbstractStringBuilder抽象类 该类在源码中注释是以JDK1.5开始作为前两个类的父类存在的,可是直到JDK1.8的API中,关于StringBuilder和StringBuffer的父类还是Object

一、类定义

代码语言:javascript
复制
abstract class AbstractStringBuilder implements Appendable, CharSequence {}

类名用abstract修饰说明是一个抽象类,只能被继承,不能直接创建对象。但是它就一个抽象方法,toString方法。

实现了两个接口:

  • CharSequence:这个字符序列的接口已经很熟悉了,用来表示一个有序字符的集合
  • ApAppendable接口能够被追加 char 序列和值的对象。如果某个类的实例打算接收来自 Formatter 的格式化输出,那么该类必须实现 Appendable 接口。

二、成员变量

代码语言:javascript
复制
/**
 * The value is used for character storage.
 */
char[] value;

/**
 * The count is the number of characters used.
 */
int count;

和String中的变量不同,内部的char[] value不再是final的了,也就意味着可变

三、构造方法

代码语言:javascript
复制
    /** 
     * This no-arg constructor is necessary for serialization of subclasses.
     */
     AbstractStringBuilder() {
    }

    /** 
     * Creates an AbstractStringBuilder of the specified capacity.
     */
    AbstractStringBuilder(int capacity) {
        value = new char[capacity];
    }

AbstractStringBuilder提供两个构造方法,一个是无参构造方法。一个是传一个capacity(代表数组容量)的构造,这个构造方法用于指定类中value数组的初始大小,数组大小后面还可动态改变。

四、普通方法

AbstractStringBuilder中的方法可大致分为五类:对属性的控制,对Value中char值的增删改查。
4.1、属性控制

主要是对Value的长度与容量进行的操作

1.length():

返回已经存储的实际长度(就是count值)

代码语言:javascript
复制
public int length() {
    return count;
    }
2.capacity():

capacity这个单词是’容量’的意思,返回当前value可以存储的字符容量,即在下一次重新申请内存之前能存储字符序列的长度。

代码语言:javascript
复制
 public int capacity() {
    return value.length;
    }
3.ensureCapacity(int minimumCapacity):

确保value数组的容量是否够用,如果不够用,调用4.expandCapacity(minimumCapacity)方法扩容,参数为需要的容量

代码语言:javascript
复制
    public void ensureCapacity(int minimumCapacity) {
        if (minimumCapacity > 0)
            ensureCapacityInternal(minimumCapacity);
    }    
4.expandCapacity(int minimumCapacity):

对数组进行扩容,参数为需要的容量

代码语言:javascript
复制
 void expandCapacity(int minimumCapacity) {
    int newCapacity = (value.length + 1) * 2;
        if (newCapacity < 0) {
            newCapacity = Integer.MAX_VALUE;
        } else if (minimumCapacity > newCapacity) {
        newCapacity = minimumCapacity;
    }
        value = Arrays.copyOf(value, newCapacity);
    }
扩容的算法:

如果调用了该函数,说明容量不够用了,先将当前容量+1的二倍(newCapacity)与需要的容量(minimumCapacity)比较。 如果比需要的容量大,那就将容量扩大到容量+1的二倍;如果比需要的容量小,那就直接扩大到需要的容量。 使用Arrays.copyOf()这个非常熟悉的方法来使数组容量动态扩大

5.trimToSize():

如果value数组的容量有多余的,那么就把多余的全部都释放掉

代码语言:javascript
复制
public void trimToSize() {
        if (count < value.length) {
            value = Arrays.copyOf(value, count);
        }
    }
6.setLength(int newLength):

强制增大实际长度count的大小,如果 newLength 参数小于当前长度则长度将更改为指定的长度, 截断,数据不变;如果 newLength 参数大于或等于当前长度则将追加有效的 null 字符 (’\u0000’),使长度满足 newLength 参数

代码语言:javascript
复制
 public void setLength(int newLength) {
    if (newLength < 0)
        throw new StringIndexOutOfBoundsException(newLength);
    if (newLength > value.length)
        expandCapacity(newLength);

if (count < newLength) {
    for (; count < newLength; count++)
    value[count] = '\0';
} else {
        count = newLength;
    }
}
4.2、获取方法
1. 代码点相关的五个方法:charAt(int) / codePointAt(int) / codePointBefore(int) / codePointCount(int, int) / offsetByCodePoints(int, int)

他们与String中的是一模一样的,代码也是一样的(就有个变量名变动)

2. getChars(int srcBegin, int srcEnd, char dst[],int dstBegin):

复制、将value[]的[srcBegin, srcEnd)拷贝到dst[]数组的desBegin开始处

代码语言:javascript
复制
public void getChars(int srcBegin, int srcEnd, char dst[],int dstBegin)
    {
    if (srcBegin < 0)
        throw new StringIndexOutOfBoundsException(srcBegin);
    if ((srcEnd < 0) || (srcEnd > count))
        throw new StringIndexOutOfBoundsException(srcEnd);
        if (srcBegin > srcEnd)
            throw new StringIndexOutOfBoundsException("srcBegin > srcEnd");
    System.arraycopy(value, srcBegin, dst, dstBegin, srcEnd - srcBegin);
    }
3. 索引下标
代码语言:javascript
复制
 public int indexOf(String str) {return indexOf(str, 0);}
 public int indexOf(String str, int fromIndex) {return String.indexOf(value, 0, count, str, fromIndex);}

int indexOf(String str)、int indexOf(String str, int fromIndex)

第一次出现的指定子字符串在该字符串中的索引,可以指定索引

int lastIndexOf(String str)、int lastIndexOf(String str, int fromIndex)

返回最右边出现的指定子字符串在此字符串中的索引 ,也就是最后一个,可以指定索引,指定索引就从索引处 反向匹配

4. substring(int start, int end)

根据索引返回子串

代码语言:javascript
复制
    public String substring(int start, int end) {
        if (start < 0)
            throw new StringIndexOutOfBoundsException(start);
        if (end > count)
            throw new StringIndexOutOfBoundsException(end);
        if (start > end)
            throw new StringIndexOutOfBoundsException(end - start);
        return new String(value, start, end - start);
    }
5.String substring(int start)

substring(int start, int end)的简化方法,指定开始位置,默认结束位置为最后

6. CharSequence subSequence(int start, int end)

为了实现CharSequence方法,内部调用的substring

代码语言:javascript
复制
@Override
    public CharSequence subSequence(int start, int end) {
        return substring(start, end);
    }
4.3、更新方法

更新方法比较少,因为是数组,数组的访问按照下标进行设置就好了,还提供了替换的功能,也算是更新操作

  1. setCharAt(int index, char ch)
代码语言:javascript
复制
public void setCharAt(int index, char ch) {
    if ((index < 0) || (index >= count))
        throw new StringIndexOutOfBoundsException(index);
    value[index] = ch;
}
2.AbstractStringBuilder replace(int start, int end, String str)

使用str替换对象中从start 开始到end结束的这一段

4.4、删除方法
1.AbstractStringBuilder delete(int start, int end)

删除指定范围的char

代码语言:javascript
复制
    public AbstractStringBuilder delete(int start, int end) {
        if (start < 0)
            throw new StringIndexOutOfBoundsException(start);
        if (end > count)
            end = count;
        if (start > end)
            throw new StringIndexOutOfBoundsException();
        int len = end - start;
        if (len > 0) {
            System.arraycopy(value, start+len, value, start, count-end);
            count -= len;
        }
        return this;
    }
2.AbstractStringBuilder deleteCharAt(int index)

删除某个位置的char

代码语言:javascript
复制
    public AbstractStringBuilder deleteCharAt(int index) {
        if ((index < 0) || (index >= count))
            throw new StringIndexOutOfBoundsException(index);
        System.arraycopy(value, index+1, value, index, count-index-1);
        count--;
        return this;
    }
4.5、添加方法

添加元素,分为尾部追加元素和中间插入元素,由于append与insert都为一系列方法,下列系列中的一部分方法

1.append(Object obj)

利用Object(或任何对象)的toString方法转成字符串然后添加到该value[]中

代码语言:javascript
复制
 public AbstractStringBuilder append(Object obj) {
    return append(String.valueOf(obj));
    }
2.append()的核心代码:append(String str)/append(StringBuffer sb)/append(CharSequence s)

直接修改value[],并且’添加’的意思为链接到原value[]的实际count的后面

代码语言:javascript
复制
 public AbstractStringBuilder append(String str) {
    if (str == null) str = "null";
        int len = str.length();
    if (len == 0) return this;
    int newCount = count + len;
    if (newCount > value.length)
        expandCapacity(newCount);
    str.getChars(0, len, value, count);
    count = newCount;
    return this;
    }

    // Documentation in subclasses because of synchro difference
    public AbstractStringBuilder append(StringBuffer sb) {
    if (sb == null)
            return append("null");
    int len = sb.length();
    int newCount = count + len;
    if (newCount > value.length)
        expandCapacity(newCount);
    sb.getChars(0, len, value, count);
    count = newCount;
    return this;
    }

    // Documentation in subclasses because of synchro difference
    public AbstractStringBuilder append(CharSequence s) {
        if (s == null)
            s = "null";
        if (s instanceof String)
            return this.append((String)s);
        if (s instanceof StringBuffer)
            return this.append((StringBuffer)s);
        return this.append(s, 0, s.length());
    }
3.insert(int index, char str[], int offset,int len):(insert的核心代码)

在value[]的下标为index位置插入数组str的一部分,该部分的范围为:[offset,offset+len);

代码语言:javascript
复制
 public AbstractStringBuilder insert(int index, char str[], int offset,
                                        int len)
    {
        if ((index < 0) || (index > length()))
        throw new StringIndexOutOfBoundsException(index);
        if ((offset < 0) || (len < 0) || (offset > str.length - len))
            throw new StringIndexOutOfBoundsException(
                "offset " + offset + ", len " + len + ", str.length " 
                + str.length);
    int newCount = count + len;
    if (newCount > value.length)
        expandCapacity(newCount);
    System.arraycopy(value, index, value, index + len, count - index);
    System.arraycopy(str, offset, value, index, len);
    count = newCount;
    return this;
    }
4.6、其他方法
1. reverse()

按照字符进行翻转

代码语言:javascript
复制
public AbstractStringBuilder reverse() {
        boolean hasSurrogates = false;
        int n = count - 1;
        for (int j = (n-1) >> 1; j >= 0; j--) {
            int k = n - j;
            char cj = value[j];
            char ck = value[k];
            value[j] = ck;
            value[k] = cj;
            if (Character.isSurrogate(cj) ||
                Character.isSurrogate(ck)) {
                hasSurrogates = true;
            }
        }
        if (hasSurrogates) {
            reverseAllValidSurrogatePairs();
        }
        return this;
    }

五、总结

AbstractStringBuilder就是 可变 字符序列的一个纲领,

它规定了可变字符序列应该有的行为,

比如 添加字符/删除字符/更新字符/获取字符,

因为可变,所以对于可变的支持,自然是必不可少的,

另外,他作为String在很多方面的一个替代,必然也是提供了String的一些功能方法,

否则与String API 变化巨大 也是毫无意义,

因为毕竟本身就是为了描述字符序列。

本文参与 腾讯云自媒体同步曝光计划,分享自作者个人站点/博客。
原始发表:2020-08-18,如有侵权请联系 cloudcommunity@tencent.com 删除

本文分享自 作者个人站点/博客 前往查看

如有侵权,请联系 cloudcommunity@tencent.com 删除。

本文参与 腾讯云自媒体同步曝光计划  ,欢迎热爱写作的你一起参与!

评论
登录后参与评论
0 条评论
热度
最新
推荐阅读
目录
  • 一、类定义
  • 二、成员变量
  • 三、构造方法
  • 四、普通方法
    • 4.1、属性控制
      • 4.2、获取方法
        • 4.3、更新方法
          • 4.4、删除方法
            • 4.5、添加方法
              • 4.6、其他方法
              • 五、总结
              领券
              问题归档专栏文章快讯文章归档关键词归档开发者手册归档开发者手册 Section 归档