StrBuilder.java

  1. /*
  2.  * Licensed to the Apache Software Foundation (ASF) under one or more
  3.  * contributor license agreements.  See the NOTICE file distributed with
  4.  * this work for additional information regarding copyright ownership.
  5.  * The ASF licenses this file to You under the Apache License, Version 2.0
  6.  * (the "License"); you may not use this file except in compliance with
  7.  * the License.  You may obtain a copy of the License at
  8.  *
  9.  *      http://www.apache.org/licenses/LICENSE-2.0
  10.  *
  11.  * Unless required by applicable law or agreed to in writing, software
  12.  * distributed under the License is distributed on an "AS IS" BASIS,
  13.  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  14.  * See the License for the specific language governing permissions and
  15.  * limitations under the License.
  16.  */
  17. package org.apache.commons.text;

  18. import java.io.IOException;
  19. import java.io.Reader;
  20. import java.io.Serializable;
  21. import java.io.Writer;
  22. import java.nio.CharBuffer;
  23. import java.util.Iterator;
  24. import java.util.List;
  25. import java.util.Objects;

  26. /**
  27.  * Builds a string from constituent parts providing a more flexible and powerful API
  28.  * than StringBuffer.
  29.  * <p>
  30.  * The main differences from StringBuffer/StringBuilder are:
  31.  * </p>
  32.  * <ul>
  33.  * <li>Not synchronized</li>
  34.  * <li>Not final</li>
  35.  * <li>Subclasses have direct access to character array</li>
  36.  * <li>Additional methods
  37.  *  <ul>
  38.  *   <li>appendWithSeparators - adds an array of values, with a separator</li>
  39.  *   <li>appendPadding - adds a length padding characters</li>
  40.  *   <li>appendFixedLength - adds a fixed width field to the builder</li>
  41.  *   <li>toCharArray/getChars - simpler ways to get a range of the character array</li>
  42.  *   <li>delete - delete char or string</li>
  43.  *   <li>replace - search and replace for a char or string</li>
  44.  *   <li>leftString/rightString/midString - substring without exceptions</li>
  45.  *   <li>contains - whether the builder contains a char or string</li>
  46.  *   <li>size/clear/isEmpty - collections style API methods</li>
  47.  *  </ul>
  48.  * </li>
  49.  * <li>Views
  50.  *  <ul>
  51.  *   <li>asTokenizer - uses the internal buffer as the source of a StrTokenizer</li>
  52.  *   <li>asReader - uses the internal buffer as the source of a Reader</li>
  53.  *   <li>asWriter - allows a Writer to write directly to the internal buffer</li>
  54.  *  </ul>
  55.  * </li>
  56.  * </ul>
  57.  * <p>
  58.  * The aim has been to provide an API that mimics very closely what StringBuffer
  59.  * provides, but with additional methods. It should be noted that some edge cases,
  60.  * with invalid indices or null input, have been altered - see individual methods.
  61.  * The biggest of these changes is that by default, null will not output the text
  62.  * 'null'. This can be controlled by a property, {@link #setNullText(String)}.
  63.  * </p>
  64.  *
  65.  * @since 1.0
  66.  *
  67.  */
  68. public class StrBuilder implements CharSequence, Appendable, Serializable, Builder<String> {

  69.     /**
  70.      * The extra capacity for new builders.
  71.      */
  72.     static final int CAPACITY = 32;

  73.     /**
  74.      * Required for serialization support.
  75.      *
  76.      * @see java.io.Serializable
  77.      */
  78.     private static final long serialVersionUID = 7628716375283629643L;

  79.     /** Internal data storage. */
  80.     protected char[] buffer; // TODO make private?
  81.     /** Current size of the buffer. */
  82.     protected int size; // TODO make private?
  83.     /** The new line. */
  84.     private String newLine;
  85.     /** The null text. */
  86.     private String nullText;

  87.     //-----------------------------------------------------------------------
  88.     /**
  89.      * Constructor that creates an empty builder initial capacity 32 characters.
  90.      */
  91.     public StrBuilder() {
  92.         this(CAPACITY);
  93.     }

  94.     /**
  95.      * Constructor that creates an empty builder the specified initial capacity.
  96.      *
  97.      * @param initialCapacity  the initial capacity, zero or less will be converted to 32
  98.      */
  99.     public StrBuilder(int initialCapacity) {
  100.         super();
  101.         if (initialCapacity <= 0) {
  102.             initialCapacity = CAPACITY;
  103.         }
  104.         buffer = new char[initialCapacity];
  105.     }

  106.     /**
  107.      * Constructor that creates a builder from the string, allocating
  108.      * 32 extra characters for growth.
  109.      *
  110.      * @param str  the string to copy, null treated as blank string
  111.      */
  112.     public StrBuilder(final String str) {
  113.         super();
  114.         if (str == null) {
  115.             buffer = new char[CAPACITY];
  116.         } else {
  117.             buffer = new char[str.length() + CAPACITY];
  118.             append(str);
  119.         }
  120.     }

  121.     //-----------------------------------------------------------------------
  122.     /**
  123.      * Gets the text to be appended when a new line is added.
  124.      *
  125.      * @return the new line text, null means use system default
  126.      */
  127.     public String getNewLineText() {
  128.         return newLine;
  129.     }

  130.     /**
  131.      * Sets the text to be appended when a new line is added.
  132.      *
  133.      * @param newLine  the new line text, null means use system default
  134.      * @return this, to enable chaining
  135.      */
  136.     public StrBuilder setNewLineText(final String newLine) {
  137.         this.newLine = newLine;
  138.         return this;
  139.     }

  140.     //-----------------------------------------------------------------------
  141.     /**
  142.      * Gets the text to be appended when null is added.
  143.      *
  144.      * @return the null text, null means no append
  145.      */
  146.     public String getNullText() {
  147.         return nullText;
  148.     }

  149.     /**
  150.      * Sets the text to be appended when null is added.
  151.      *
  152.      * @param nullText  the null text, null means no append
  153.      * @return this, to enable chaining
  154.      */
  155.     public StrBuilder setNullText(String nullText) {
  156.         if (nullText != null && nullText.isEmpty()) {
  157.             nullText = null;
  158.         }
  159.         this.nullText = nullText;
  160.         return this;
  161.     }

  162.     //-----------------------------------------------------------------------
  163.     /**
  164.      * Gets the length of the string builder.
  165.      *
  166.      * @return the length
  167.      */
  168.     @Override
  169.     public int length() {
  170.         return size;
  171.     }

  172.     /**
  173.      * Updates the length of the builder by either dropping the last characters
  174.      * or adding filler of Unicode zero.
  175.      *
  176.      * @param length  the length to set to, must be zero or positive
  177.      * @return this, to enable chaining
  178.      * @throws IndexOutOfBoundsException if the length is negative
  179.      */
  180.     public StrBuilder setLength(final int length) {
  181.         if (length < 0) {
  182.             throw new StringIndexOutOfBoundsException(length);
  183.         }
  184.         if (length < size) {
  185.             size = length;
  186.         } else if (length > size) {
  187.             ensureCapacity(length);
  188.             final int oldEnd = size;
  189.             final int newEnd = length;
  190.             size = length;
  191.             for (int i = oldEnd; i < newEnd; i++) {
  192.                 buffer[i] = '\0';
  193.             }
  194.         }
  195.         return this;
  196.     }

  197.     //-----------------------------------------------------------------------
  198.     /**
  199.      * Gets the current size of the internal character array buffer.
  200.      *
  201.      * @return the capacity
  202.      */
  203.     public int capacity() {
  204.         return buffer.length;
  205.     }

  206.     /**
  207.      * Checks the capacity and ensures that it is at least the size specified.
  208.      *
  209.      * @param capacity  the capacity to ensure
  210.      * @return this, to enable chaining
  211.      */
  212.     public StrBuilder ensureCapacity(final int capacity) {
  213.         if (capacity > buffer.length) {
  214.             final char[] old = buffer;
  215.             buffer = new char[capacity * 2];
  216.             System.arraycopy(old, 0, buffer, 0, size);
  217.         }
  218.         return this;
  219.     }

  220.     /**
  221.      * Minimizes the capacity to the actual length of the string.
  222.      *
  223.      * @return this, to enable chaining
  224.      */
  225.     public StrBuilder minimizeCapacity() {
  226.         if (buffer.length > length()) {
  227.             final char[] old = buffer;
  228.             buffer = new char[length()];
  229.             System.arraycopy(old, 0, buffer, 0, size);
  230.         }
  231.         return this;
  232.     }

  233.     //-----------------------------------------------------------------------
  234.     /**
  235.      * Gets the length of the string builder.
  236.      * <p>
  237.      * This method is the same as {@link #length()} and is provided to match the
  238.      * API of Collections.
  239.      *
  240.      * @return the length
  241.      */
  242.     public int size() {
  243.         return size;
  244.     }

  245.     /**
  246.      * Checks is the string builder is empty (convenience Collections API style method).
  247.      * <p>
  248.      * This method is the same as checking {@link #length()} and is provided to match the
  249.      * API of Collections.
  250.      *
  251.      * @return <code>true</code> if the size is <code>0</code>.
  252.      */
  253.     public boolean isEmpty() {
  254.         return size == 0;
  255.     }

  256.     /**
  257.      * Clears the string builder (convenience Collections API style method).
  258.      * <p>
  259.      * This method does not reduce the size of the internal character buffer.
  260.      * To do that, call <code>clear()</code> followed by {@link #minimizeCapacity()}.
  261.      * <p>
  262.      * This method is the same as {@link #setLength(int)} called with zero
  263.      * and is provided to match the API of Collections.
  264.      *
  265.      * @return this, to enable chaining
  266.      */
  267.     public StrBuilder clear() {
  268.         size = 0;
  269.         return this;
  270.     }

  271.     //-----------------------------------------------------------------------
  272.     /**
  273.      * Gets the character at the specified index.
  274.      *
  275.      * @see #setCharAt(int, char)
  276.      * @see #deleteCharAt(int)
  277.      * @param index  the index to retrieve, must be valid
  278.      * @return the character at the index
  279.      * @throws IndexOutOfBoundsException if the index is invalid
  280.      */
  281.     @Override
  282.     public char charAt(final int index) {
  283.         if (index < 0 || index >= length()) {
  284.             throw new StringIndexOutOfBoundsException(index);
  285.         }
  286.         return buffer[index];
  287.     }

  288.     /**
  289.      * Sets the character at the specified index.
  290.      *
  291.      * @see #charAt(int)
  292.      * @see #deleteCharAt(int)
  293.      * @param index  the index to set
  294.      * @param ch  the new character
  295.      * @return this, to enable chaining
  296.      * @throws IndexOutOfBoundsException if the index is invalid
  297.      */
  298.     public StrBuilder setCharAt(final int index, final char ch) {
  299.         if (index < 0 || index >= length()) {
  300.             throw new StringIndexOutOfBoundsException(index);
  301.         }
  302.         buffer[index] = ch;
  303.         return this;
  304.     }

  305.     /**
  306.      * Deletes the character at the specified index.
  307.      *
  308.      * @see #charAt(int)
  309.      * @see #setCharAt(int, char)
  310.      * @param index  the index to delete
  311.      * @return this, to enable chaining
  312.      * @throws IndexOutOfBoundsException if the index is invalid
  313.      */
  314.     public StrBuilder deleteCharAt(final int index) {
  315.         if (index < 0 || index >= size) {
  316.             throw new StringIndexOutOfBoundsException(index);
  317.         }
  318.         deleteImpl(index, index + 1, 1);
  319.         return this;
  320.     }

  321.     //-----------------------------------------------------------------------
  322.     /**
  323.      * Copies the builder's character array into a new character array.
  324.      *
  325.      * @return a new array that represents the contents of the builder
  326.      */
  327.     public char[] toCharArray() {
  328.         if (size == 0) {
  329.             return new char[0];
  330.         }
  331.         final char chars[] = new char[size];
  332.         System.arraycopy(buffer, 0, chars, 0, size);
  333.         return chars;
  334.     }

  335.     /**
  336.      * Copies part of the builder's character array into a new character array.
  337.      *
  338.      * @param startIndex  the start index, inclusive, must be valid
  339.      * @param endIndex  the end index, exclusive, must be valid except that
  340.      *  if too large it is treated as end of string
  341.      * @return a new array that holds part of the contents of the builder
  342.      * @throws IndexOutOfBoundsException if startIndex is invalid,
  343.      *  or if endIndex is invalid (but endIndex greater than size is valid)
  344.      */
  345.     public char[] toCharArray(final int startIndex, int endIndex) {
  346.         endIndex = validateRange(startIndex, endIndex);
  347.         final int len = endIndex - startIndex;
  348.         if (len == 0) {
  349.             return new char[0];
  350.         }
  351.         final char chars[] = new char[len];
  352.         System.arraycopy(buffer, startIndex, chars, 0, len);
  353.         return chars;
  354.     }

  355.     /**
  356.      * Copies the character array into the specified array.
  357.      *
  358.      * @param destination  the destination array, null will cause an array to be created
  359.      * @return the input array, unless that was null or too small
  360.      */
  361.     public char[] getChars(char[] destination) {
  362.         final int len = length();
  363.         if (destination == null || destination.length < len) {
  364.             destination = new char[len];
  365.         }
  366.         System.arraycopy(buffer, 0, destination, 0, len);
  367.         return destination;
  368.     }

  369.     /**
  370.      * Copies the character array into the specified array.
  371.      *
  372.      * @param startIndex  first index to copy, inclusive, must be valid
  373.      * @param endIndex  last index, exclusive, must be valid
  374.      * @param destination  the destination array, must not be null or too small
  375.      * @param destinationIndex  the index to start copying in destination
  376.      * @throws NullPointerException if the array is null
  377.      * @throws IndexOutOfBoundsException if any index is invalid
  378.      */
  379.     public void getChars(final int startIndex, final int endIndex, final char destination[], final int destinationIndex) {
  380.         if (startIndex < 0) {
  381.             throw new StringIndexOutOfBoundsException(startIndex);
  382.         }
  383.         if (endIndex < 0 || endIndex > length()) {
  384.             throw new StringIndexOutOfBoundsException(endIndex);
  385.         }
  386.         if (startIndex > endIndex) {
  387.             throw new StringIndexOutOfBoundsException("end < start");
  388.         }
  389.         System.arraycopy(buffer, startIndex, destination, destinationIndex, endIndex - startIndex);
  390.     }

  391.     //-----------------------------------------------------------------------
  392.     /**
  393.      * If possible, reads chars from the provided {@link Readable} directly into underlying
  394.      * character buffer without making extra copies.
  395.      *
  396.      * @param readable  object to read from
  397.      * @return the number of characters read
  398.      * @throws IOException if an I/O error occurs
  399.      *
  400.      * @see #appendTo(Appendable)
  401.      */
  402.     public int readFrom(final Readable readable) throws IOException {
  403.         final int oldSize = size;
  404.         if (readable instanceof Reader) {
  405.             final Reader r = (Reader) readable;
  406.             ensureCapacity(size + 1);
  407.             int read;
  408.             while ((read = r.read(buffer, size, buffer.length - size)) != -1) {
  409.                 size += read;
  410.                 ensureCapacity(size + 1);
  411.             }
  412.         } else if (readable instanceof CharBuffer) {
  413.             final CharBuffer cb = (CharBuffer) readable;
  414.             final int remaining = cb.remaining();
  415.             ensureCapacity(size + remaining);
  416.             cb.get(buffer, size, remaining);
  417.             size += remaining;
  418.         } else {
  419.             while (true) {
  420.                 ensureCapacity(size + 1);
  421.                 final CharBuffer buf = CharBuffer.wrap(buffer, size, buffer.length - size);
  422.                 final int read = readable.read(buf);
  423.                 if (read == -1) {
  424.                     break;
  425.                 }
  426.                 size += read;
  427.             }
  428.         }
  429.         return size - oldSize;
  430.     }

  431.     //-----------------------------------------------------------------------
  432.     /**
  433.      * Appends the new line string to this string builder.
  434.      * <p>
  435.      * The new line string can be altered using {@link #setNewLineText(String)}.
  436.      * This might be used to force the output to always use Unix line endings
  437.      * even when on Windows.
  438.      *
  439.      * @return this, to enable chaining
  440.      */
  441.     public StrBuilder appendNewLine() {
  442.         if (newLine == null)  {
  443.             append(System.getProperty("line.separator"));
  444.             return this;
  445.         }
  446.         return append(newLine);
  447.     }

  448.     /**
  449.      * Appends the text representing <code>null</code> to this string builder.
  450.      *
  451.      * @return this, to enable chaining
  452.      */
  453.     public StrBuilder appendNull() {
  454.         if (nullText == null)  {
  455.             return this;
  456.         }
  457.         return append(nullText);
  458.     }

  459.     /**
  460.      * Appends an object to this string builder.
  461.      * Appending null will call {@link #appendNull()}.
  462.      *
  463.      * @param obj  the object to append
  464.      * @return this, to enable chaining
  465.      */
  466.     public StrBuilder append(final Object obj) {
  467.         if (obj == null) {
  468.             return appendNull();
  469.         }
  470.         if (obj instanceof CharSequence) {
  471.             return append((CharSequence) obj);
  472.         }
  473.         return append(obj.toString());
  474.     }

  475.     /**
  476.      * Appends a CharSequence to this string builder.
  477.      * Appending null will call {@link #appendNull()}.
  478.      *
  479.      * @param seq  the CharSequence to append
  480.      * @return this, to enable chaining
  481.      */
  482.     @Override
  483.     public StrBuilder append(final CharSequence seq) {
  484.         if (seq == null) {
  485.             return appendNull();
  486.         }
  487.         if (seq instanceof StrBuilder) {
  488.             return append((StrBuilder) seq);
  489.         }
  490.         if (seq instanceof StringBuilder) {
  491.             return append((StringBuilder) seq);
  492.         }
  493.         if (seq instanceof StringBuffer) {
  494.             return append((StringBuffer) seq);
  495.         }
  496.         if (seq instanceof CharBuffer) {
  497.             return append((CharBuffer) seq);
  498.         }
  499.         return append(seq.toString());
  500.     }

  501.     /**
  502.      * Appends part of a CharSequence to this string builder.
  503.      * Appending null will call {@link #appendNull()}.
  504.      *
  505.      * @param seq  the CharSequence to append
  506.      * @param startIndex  the start index, inclusive, must be valid
  507.      * @param length  the length to append, must be valid
  508.      * @return this, to enable chaining
  509.      */
  510.     @Override
  511.     public StrBuilder append(final CharSequence seq, final int startIndex, final int length) {
  512.         if (seq == null) {
  513.             return appendNull();
  514.         }
  515.         return append(seq.toString(), startIndex, length);
  516.     }

  517.     /**
  518.      * Appends a string to this string builder.
  519.      * Appending null will call {@link #appendNull()}.
  520.      *
  521.      * @param str  the string to append
  522.      * @return this, to enable chaining
  523.      */
  524.     public StrBuilder append(final String str) {
  525.         if (str == null) {
  526.             return appendNull();
  527.         }
  528.         final int strLen = str.length();
  529.         if (strLen > 0) {
  530.             final int len = length();
  531.             ensureCapacity(len + strLen);
  532.             str.getChars(0, strLen, buffer, len);
  533.             size += strLen;
  534.         }
  535.         return this;
  536.     }


  537.     /**
  538.      * Appends part of a string to this string builder.
  539.      * Appending null will call {@link #appendNull()}.
  540.      *
  541.      * @param str  the string to append
  542.      * @param startIndex  the start index, inclusive, must be valid
  543.      * @param length  the length to append, must be valid
  544.      * @return this, to enable chaining
  545.      */
  546.     public StrBuilder append(final String str, final int startIndex, final int length) {
  547.         if (str == null) {
  548.             return appendNull();
  549.         }
  550.         if (startIndex < 0 || startIndex > str.length()) {
  551.             throw new StringIndexOutOfBoundsException("startIndex must be valid");
  552.         }
  553.         if (length < 0 || (startIndex + length) > str.length()) {
  554.             throw new StringIndexOutOfBoundsException("length must be valid");
  555.         }
  556.         if (length > 0) {
  557.             final int len = length();
  558.             ensureCapacity(len + length);
  559.             str.getChars(startIndex, startIndex + length, buffer, len);
  560.             size += length;
  561.         }
  562.         return this;
  563.     }

  564.     /**
  565.      * Calls {@link String#format(String, Object...)} and appends the result.
  566.      *
  567.      * @param format the format string
  568.      * @param objs the objects to use in the format string
  569.      * @return {@code this} to enable chaining
  570.      * @see String#format(String, Object...)
  571.      */
  572.     public StrBuilder append(final String format, final Object... objs) {
  573.         return append(String.format(format, objs));
  574.     }

  575.     /**
  576.      * Appends the contents of a char buffer to this string builder.
  577.      * Appending null will call {@link #appendNull()}.
  578.      *
  579.      * @param buf  the char buffer to append
  580.      * @return this, to enable chaining
  581.      */
  582.     public StrBuilder append(final CharBuffer buf) {
  583.         if (buf == null) {
  584.             return appendNull();
  585.         }
  586.         if (buf.hasArray()) {
  587.             final int length = buf.remaining();
  588.             final int len = length();
  589.             ensureCapacity(len + length);
  590.             System.arraycopy(buf.array(), buf.arrayOffset() + buf.position(), buffer, len, length);
  591.             size += length;
  592.         } else {
  593.             append(buf.toString());
  594.         }
  595.         return this;
  596.     }

  597.     /**
  598.      * Appends the contents of a char buffer to this string builder.
  599.      * Appending null will call {@link #appendNull()}.
  600.      *
  601.      * @param buf  the char buffer to append
  602.      * @param startIndex  the start index, inclusive, must be valid
  603.      * @param length  the length to append, must be valid
  604.      * @return this, to enable chaining
  605.      */
  606.     public StrBuilder append(final CharBuffer buf, final int startIndex, final int length) {
  607.         if (buf == null) {
  608.             return appendNull();
  609.         }
  610.         if (buf.hasArray()) {
  611.             final int totalLength = buf.remaining();
  612.             if (startIndex < 0 || startIndex > totalLength) {
  613.                 throw new StringIndexOutOfBoundsException("startIndex must be valid");
  614.             }
  615.             if (length < 0 || (startIndex + length) > totalLength) {
  616.                 throw new StringIndexOutOfBoundsException("length must be valid");
  617.             }
  618.             final int len = length();
  619.             ensureCapacity(len + length);
  620.             System.arraycopy(buf.array(), buf.arrayOffset() + buf.position() + startIndex, buffer, len, length);
  621.             size += length;
  622.         } else {
  623.             append(buf.toString(), startIndex, length);
  624.         }
  625.         return this;
  626.     }

  627.     /**
  628.      * Appends a string buffer to this string builder.
  629.      * Appending null will call {@link #appendNull()}.
  630.      *
  631.      * @param str  the string buffer to append
  632.      * @return this, to enable chaining
  633.      */
  634.     public StrBuilder append(final StringBuffer str) {
  635.         if (str == null) {
  636.             return appendNull();
  637.         }
  638.         final int strLen = str.length();
  639.         if (strLen > 0) {
  640.             final int len = length();
  641.             ensureCapacity(len + strLen);
  642.             str.getChars(0, strLen, buffer, len);
  643.             size += strLen;
  644.         }
  645.         return this;
  646.     }

  647.     /**
  648.      * Appends part of a string buffer to this string builder.
  649.      * Appending null will call {@link #appendNull()}.
  650.      *
  651.      * @param str  the string to append
  652.      * @param startIndex  the start index, inclusive, must be valid
  653.      * @param length  the length to append, must be valid
  654.      * @return this, to enable chaining
  655.      */
  656.     public StrBuilder append(final StringBuffer str, final int startIndex, final int length) {
  657.         if (str == null) {
  658.             return appendNull();
  659.         }
  660.         if (startIndex < 0 || startIndex > str.length()) {
  661.             throw new StringIndexOutOfBoundsException("startIndex must be valid");
  662.         }
  663.         if (length < 0 || (startIndex + length) > str.length()) {
  664.             throw new StringIndexOutOfBoundsException("length must be valid");
  665.         }
  666.         if (length > 0) {
  667.             final int len = length();
  668.             ensureCapacity(len + length);
  669.             str.getChars(startIndex, startIndex + length, buffer, len);
  670.             size += length;
  671.         }
  672.         return this;
  673.     }

  674.     /**
  675.      * Appends a StringBuilder to this string builder.
  676.      * Appending null will call {@link #appendNull()}.
  677.      *
  678.      * @param str the StringBuilder to append
  679.      * @return this, to enable chaining
  680.      */
  681.     public StrBuilder append(final StringBuilder str) {
  682.         if (str == null) {
  683.             return appendNull();
  684.         }
  685.         final int strLen = str.length();
  686.         if (strLen > 0) {
  687.             final int len = length();
  688.             ensureCapacity(len + strLen);
  689.             str.getChars(0, strLen, buffer, len);
  690.             size += strLen;
  691.         }
  692.         return this;
  693.     }

  694.     /**
  695.      * Appends part of a StringBuilder to this string builder.
  696.      * Appending null will call {@link #appendNull()}.
  697.      *
  698.      * @param str the StringBuilder to append
  699.      * @param startIndex the start index, inclusive, must be valid
  700.      * @param length the length to append, must be valid
  701.      * @return this, to enable chaining
  702.      */
  703.     public StrBuilder append(final StringBuilder str, final int startIndex, final int length) {
  704.         if (str == null) {
  705.             return appendNull();
  706.         }
  707.         if (startIndex < 0 || startIndex > str.length()) {
  708.             throw new StringIndexOutOfBoundsException("startIndex must be valid");
  709.         }
  710.         if (length < 0 || (startIndex + length) > str.length()) {
  711.             throw new StringIndexOutOfBoundsException("length must be valid");
  712.         }
  713.         if (length > 0) {
  714.             final int len = length();
  715.             ensureCapacity(len + length);
  716.             str.getChars(startIndex, startIndex + length, buffer, len);
  717.             size += length;
  718.         }
  719.         return this;
  720.     }

  721.     /**
  722.      * Appends another string builder to this string builder.
  723.      * Appending null will call {@link #appendNull()}.
  724.      *
  725.      * @param str  the string builder to append
  726.      * @return this, to enable chaining
  727.      */
  728.     public StrBuilder append(final StrBuilder str) {
  729.         if (str == null) {
  730.             return appendNull();
  731.         }
  732.         final int strLen = str.length();
  733.         if (strLen > 0) {
  734.             final int len = length();
  735.             ensureCapacity(len + strLen);
  736.             System.arraycopy(str.buffer, 0, buffer, len, strLen);
  737.             size += strLen;
  738.         }
  739.         return this;
  740.     }

  741.     /**
  742.      * Appends part of a string builder to this string builder.
  743.      * Appending null will call {@link #appendNull()}.
  744.      *
  745.      * @param str  the string to append
  746.      * @param startIndex  the start index, inclusive, must be valid
  747.      * @param length  the length to append, must be valid
  748.      * @return this, to enable chaining
  749.      */
  750.     public StrBuilder append(final StrBuilder str, final int startIndex, final int length) {
  751.         if (str == null) {
  752.             return appendNull();
  753.         }
  754.         if (startIndex < 0 || startIndex > str.length()) {
  755.             throw new StringIndexOutOfBoundsException("startIndex must be valid");
  756.         }
  757.         if (length < 0 || (startIndex + length) > str.length()) {
  758.             throw new StringIndexOutOfBoundsException("length must be valid");
  759.         }
  760.         if (length > 0) {
  761.             final int len = length();
  762.             ensureCapacity(len + length);
  763.             str.getChars(startIndex, startIndex + length, buffer, len);
  764.             size += length;
  765.         }
  766.         return this;
  767.     }

  768.     /**
  769.      * Appends a char array to the string builder.
  770.      * Appending null will call {@link #appendNull()}.
  771.      *
  772.      * @param chars  the char array to append
  773.      * @return this, to enable chaining
  774.      */
  775.     public StrBuilder append(final char[] chars) {
  776.         if (chars == null) {
  777.             return appendNull();
  778.         }
  779.         final int strLen = chars.length;
  780.         if (strLen > 0) {
  781.             final int len = length();
  782.             ensureCapacity(len + strLen);
  783.             System.arraycopy(chars, 0, buffer, len, strLen);
  784.             size += strLen;
  785.         }
  786.         return this;
  787.     }

  788.     /**
  789.      * Appends a char array to the string builder.
  790.      * Appending null will call {@link #appendNull()}.
  791.      *
  792.      * @param chars  the char array to append
  793.      * @param startIndex  the start index, inclusive, must be valid
  794.      * @param length  the length to append, must be valid
  795.      * @return this, to enable chaining
  796.      */
  797.     public StrBuilder append(final char[] chars, final int startIndex, final int length) {
  798.         if (chars == null) {
  799.             return appendNull();
  800.         }
  801.         if (startIndex < 0 || startIndex > chars.length) {
  802.             throw new StringIndexOutOfBoundsException("Invalid startIndex: " + length);
  803.         }
  804.         if (length < 0 || (startIndex + length) > chars.length) {
  805.             throw new StringIndexOutOfBoundsException("Invalid length: " + length);
  806.         }
  807.         if (length > 0) {
  808.             final int len = length();
  809.             ensureCapacity(len + length);
  810.             System.arraycopy(chars, startIndex, buffer, len, length);
  811.             size += length;
  812.         }
  813.         return this;
  814.     }

  815.     /**
  816.      * Appends a boolean value to the string builder.
  817.      *
  818.      * @param value  the value to append
  819.      * @return this, to enable chaining
  820.      */
  821.     public StrBuilder append(final boolean value) {
  822.         if (value) {
  823.             ensureCapacity(size + 4);
  824.             buffer[size++] = 't';
  825.             buffer[size++] = 'r';
  826.             buffer[size++] = 'u';
  827.             buffer[size++] = 'e';
  828.         } else {
  829.             ensureCapacity(size + 5);
  830.             buffer[size++] = 'f';
  831.             buffer[size++] = 'a';
  832.             buffer[size++] = 'l';
  833.             buffer[size++] = 's';
  834.             buffer[size++] = 'e';
  835.         }
  836.         return this;
  837.     }

  838.     /**
  839.      * Appends a char value to the string builder.
  840.      *
  841.      * @param ch  the value to append
  842.      * @return this, to enable chaining
  843.      */
  844.     @Override
  845.     public StrBuilder append(final char ch) {
  846.         final int len = length();
  847.         ensureCapacity(len + 1);
  848.         buffer[size++] = ch;
  849.         return this;
  850.     }

  851.     /**
  852.      * Appends an int value to the string builder using <code>String.valueOf</code>.
  853.      *
  854.      * @param value  the value to append
  855.      * @return this, to enable chaining
  856.      */
  857.     public StrBuilder append(final int value) {
  858.         return append(String.valueOf(value));
  859.     }

  860.     /**
  861.      * Appends a long value to the string builder using <code>String.valueOf</code>.
  862.      *
  863.      * @param value  the value to append
  864.      * @return this, to enable chaining
  865.      */
  866.     public StrBuilder append(final long value) {
  867.         return append(String.valueOf(value));
  868.     }

  869.     /**
  870.      * Appends a float value to the string builder using <code>String.valueOf</code>.
  871.      *
  872.      * @param value  the value to append
  873.      * @return this, to enable chaining
  874.      */
  875.     public StrBuilder append(final float value) {
  876.         return append(String.valueOf(value));
  877.     }

  878.     /**
  879.      * Appends a double value to the string builder using <code>String.valueOf</code>.
  880.      *
  881.      * @param value  the value to append
  882.      * @return this, to enable chaining
  883.      */
  884.     public StrBuilder append(final double value) {
  885.         return append(String.valueOf(value));
  886.     }

  887.     //-----------------------------------------------------------------------
  888.     /**
  889.      * Appends an object followed by a new line to this string builder.
  890.      * Appending null will call {@link #appendNull()}.
  891.      *
  892.      * @param obj  the object to append
  893.      * @return this, to enable chaining
  894.      */
  895.     public StrBuilder appendln(final Object obj) {
  896.         return append(obj).appendNewLine();
  897.     }

  898.     /**
  899.      * Appends a string followed by a new line to this string builder.
  900.      * Appending null will call {@link #appendNull()}.
  901.      *
  902.      * @param str  the string to append
  903.      * @return this, to enable chaining
  904.      */
  905.     public StrBuilder appendln(final String str) {
  906.         return append(str).appendNewLine();
  907.     }

  908.     /**
  909.      * Appends part of a string followed by a new line to this string builder.
  910.      * Appending null will call {@link #appendNull()}.
  911.      *
  912.      * @param str  the string to append
  913.      * @param startIndex  the start index, inclusive, must be valid
  914.      * @param length  the length to append, must be valid
  915.      * @return this, to enable chaining
  916.      */
  917.     public StrBuilder appendln(final String str, final int startIndex, final int length) {
  918.         return append(str, startIndex, length).appendNewLine();
  919.     }

  920.     /**
  921.      * Calls {@link String#format(String, Object...)} and appends the result.
  922.      *
  923.      * @param format the format string
  924.      * @param objs the objects to use in the format string
  925.      * @return {@code this} to enable chaining
  926.      * @see String#format(String, Object...)
  927.      */
  928.     public StrBuilder appendln(final String format, final Object... objs) {
  929.         return append(format, objs).appendNewLine();
  930.     }

  931.     /**
  932.      * Appends a string buffer followed by a new line to this string builder.
  933.      * Appending null will call {@link #appendNull()}.
  934.      *
  935.      * @param str  the string buffer to append
  936.      * @return this, to enable chaining
  937.      */
  938.     public StrBuilder appendln(final StringBuffer str) {
  939.         return append(str).appendNewLine();
  940.     }

  941.     /**
  942.      * Appends a string builder followed by a new line to this string builder.
  943.      * Appending null will call {@link #appendNull()}.
  944.      *
  945.      * @param str  the string builder to append
  946.      * @return this, to enable chaining
  947.      */
  948.     public StrBuilder appendln(final StringBuilder str) {
  949.         return append(str).appendNewLine();
  950.     }

  951.     /**
  952.      * Appends part of a string builder followed by a new line to this string builder.
  953.      * Appending null will call {@link #appendNull()}.
  954.      *
  955.      * @param str  the string builder to append
  956.      * @param startIndex  the start index, inclusive, must be valid
  957.      * @param length  the length to append, must be valid
  958.      * @return this, to enable chaining
  959.      */
  960.     public StrBuilder appendln(final StringBuilder str, final int startIndex, final int length) {
  961.         return append(str, startIndex, length).appendNewLine();
  962.     }

  963.     /**
  964.      * Appends part of a string buffer followed by a new line to this string builder.
  965.      * Appending null will call {@link #appendNull()}.
  966.      *
  967.      * @param str  the string to append
  968.      * @param startIndex  the start index, inclusive, must be valid
  969.      * @param length  the length to append, must be valid
  970.      * @return this, to enable chaining
  971.      */
  972.     public StrBuilder appendln(final StringBuffer str, final int startIndex, final int length) {
  973.         return append(str, startIndex, length).appendNewLine();
  974.     }

  975.     /**
  976.      * Appends another string builder followed by a new line to this string builder.
  977.      * Appending null will call {@link #appendNull()}.
  978.      *
  979.      * @param str  the string builder to append
  980.      * @return this, to enable chaining
  981.      */
  982.     public StrBuilder appendln(final StrBuilder str) {
  983.         return append(str).appendNewLine();
  984.     }

  985.     /**
  986.      * Appends part of a string builder followed by a new line to this string builder.
  987.      * Appending null will call {@link #appendNull()}.
  988.      *
  989.      * @param str  the string to append
  990.      * @param startIndex  the start index, inclusive, must be valid
  991.      * @param length  the length to append, must be valid
  992.      * @return this, to enable chaining
  993.      */
  994.     public StrBuilder appendln(final StrBuilder str, final int startIndex, final int length) {
  995.         return append(str, startIndex, length).appendNewLine();
  996.     }

  997.     /**
  998.      * Appends a char array followed by a new line to the string builder.
  999.      * Appending null will call {@link #appendNull()}.
  1000.      *
  1001.      * @param chars  the char array to append
  1002.      * @return this, to enable chaining
  1003.      */
  1004.     public StrBuilder appendln(final char[] chars) {
  1005.         return append(chars).appendNewLine();
  1006.     }

  1007.     /**
  1008.      * Appends a char array followed by a new line to the string builder.
  1009.      * Appending null will call {@link #appendNull()}.
  1010.      *
  1011.      * @param chars  the char array to append
  1012.      * @param startIndex  the start index, inclusive, must be valid
  1013.      * @param length  the length to append, must be valid
  1014.      * @return this, to enable chaining
  1015.      */
  1016.     public StrBuilder appendln(final char[] chars, final int startIndex, final int length) {
  1017.         return append(chars, startIndex, length).appendNewLine();
  1018.     }

  1019.     /**
  1020.      * Appends a boolean value followed by a new line to the string builder.
  1021.      *
  1022.      * @param value  the value to append
  1023.      * @return this, to enable chaining
  1024.      */
  1025.     public StrBuilder appendln(final boolean value) {
  1026.         return append(value).appendNewLine();
  1027.     }

  1028.     /**
  1029.      * Appends a char value followed by a new line to the string builder.
  1030.      *
  1031.      * @param ch  the value to append
  1032.      * @return this, to enable chaining
  1033.      */
  1034.     public StrBuilder appendln(final char ch) {
  1035.         return append(ch).appendNewLine();
  1036.     }

  1037.     /**
  1038.      * Appends an int value followed by a new line to the string builder using <code>String.valueOf</code>.
  1039.      *
  1040.      * @param value  the value to append
  1041.      * @return this, to enable chaining
  1042.      */
  1043.     public StrBuilder appendln(final int value) {
  1044.         return append(value).appendNewLine();
  1045.     }

  1046.     /**
  1047.      * Appends a long value followed by a new line to the string builder using <code>String.valueOf</code>.
  1048.      *
  1049.      * @param value  the value to append
  1050.      * @return this, to enable chaining
  1051.      */
  1052.     public StrBuilder appendln(final long value) {
  1053.         return append(value).appendNewLine();
  1054.     }

  1055.     /**
  1056.      * Appends a float value followed by a new line to the string builder using <code>String.valueOf</code>.
  1057.      *
  1058.      * @param value  the value to append
  1059.      * @return this, to enable chaining
  1060.      */
  1061.     public StrBuilder appendln(final float value) {
  1062.         return append(value).appendNewLine();
  1063.     }

  1064.     /**
  1065.      * Appends a double value followed by a new line to the string builder using <code>String.valueOf</code>.
  1066.      *
  1067.      * @param value  the value to append
  1068.      * @return this, to enable chaining
  1069.      */
  1070.     public StrBuilder appendln(final double value) {
  1071.         return append(value).appendNewLine();
  1072.     }

  1073.     //-----------------------------------------------------------------------
  1074.     /**
  1075.      * Appends each item in an array to the builder without any separators.
  1076.      * Appending a null array will have no effect.
  1077.      * Each object is appended using {@link #append(Object)}.
  1078.      *
  1079.      * @param <T>  the element type
  1080.      * @param array  the array to append
  1081.      * @return this, to enable chaining
  1082.      */
  1083.     public <T> StrBuilder appendAll(@SuppressWarnings("unchecked") final T... array) {
  1084.         /*
  1085.          * @SuppressWarnings used to hide warning about vararg usage. We cannot
  1086.          * use @SafeVarargs, since this method is not final. Using @SupressWarnings
  1087.          * is fine, because it isn't inherited by subclasses, so each subclass must
  1088.          * vouch for itself whether its use of 'array' is safe.
  1089.          */
  1090.         if (array != null && array.length > 0) {
  1091.             for (final Object element : array) {
  1092.                 append(element);
  1093.             }
  1094.         }
  1095.         return this;
  1096.     }

  1097.     /**
  1098.      * Appends each item in an iterable to the builder without any separators.
  1099.      * Appending a null iterable will have no effect.
  1100.      * Each object is appended using {@link #append(Object)}.
  1101.      *
  1102.      * @param iterable  the iterable to append
  1103.      * @return this, to enable chaining
  1104.      */
  1105.     public StrBuilder appendAll(final Iterable<?> iterable) {
  1106.         if (iterable != null) {
  1107.             for (final Object o : iterable) {
  1108.                 append(o);
  1109.             }
  1110.         }
  1111.         return this;
  1112.     }

  1113.     /**
  1114.      * Appends each item in an iterator to the builder without any separators.
  1115.      * Appending a null iterator will have no effect.
  1116.      * Each object is appended using {@link #append(Object)}.
  1117.      *
  1118.      * @param it  the iterator to append
  1119.      * @return this, to enable chaining
  1120.      */
  1121.     public StrBuilder appendAll(final Iterator<?> it) {
  1122.         if (it != null) {
  1123.             while (it.hasNext()) {
  1124.                 append(it.next());
  1125.             }
  1126.         }
  1127.         return this;
  1128.     }

  1129.     //-----------------------------------------------------------------------
  1130.     /**
  1131.      * Appends an array placing separators between each value, but
  1132.      * not before the first or after the last.
  1133.      * Appending a null array will have no effect.
  1134.      * Each object is appended using {@link #append(Object)}.
  1135.      *
  1136.      * @param array  the array to append
  1137.      * @param separator  the separator to use, null means no separator
  1138.      * @return this, to enable chaining
  1139.      */
  1140.     public StrBuilder appendWithSeparators(final Object[] array, final String separator) {
  1141.         if (array != null && array.length > 0) {
  1142.             final String sep = Objects.toString(separator, "");
  1143.             append(array[0]);
  1144.             for (int i = 1; i < array.length; i++) {
  1145.                 append(sep);
  1146.                 append(array[i]);
  1147.             }
  1148.         }
  1149.         return this;
  1150.     }

  1151.     /**
  1152.      * Appends an iterable placing separators between each value, but
  1153.      * not before the first or after the last.
  1154.      * Appending a null iterable will have no effect.
  1155.      * Each object is appended using {@link #append(Object)}.
  1156.      *
  1157.      * @param iterable  the iterable to append
  1158.      * @param separator  the separator to use, null means no separator
  1159.      * @return this, to enable chaining
  1160.      */
  1161.     public StrBuilder appendWithSeparators(final Iterable<?> iterable, final String separator) {
  1162.         if (iterable != null) {
  1163.             final String sep = Objects.toString(separator, "");
  1164.             final Iterator<?> it = iterable.iterator();
  1165.             while (it.hasNext()) {
  1166.                 append(it.next());
  1167.                 if (it.hasNext()) {
  1168.                     append(sep);
  1169.                 }
  1170.             }
  1171.         }
  1172.         return this;
  1173.     }

  1174.     /**
  1175.      * Appends an iterator placing separators between each value, but
  1176.      * not before the first or after the last.
  1177.      * Appending a null iterator will have no effect.
  1178.      * Each object is appended using {@link #append(Object)}.
  1179.      *
  1180.      * @param it  the iterator to append
  1181.      * @param separator  the separator to use, null means no separator
  1182.      * @return this, to enable chaining
  1183.      */
  1184.     public StrBuilder appendWithSeparators(final Iterator<?> it, final String separator) {
  1185.         if (it != null) {
  1186.             final String sep = Objects.toString(separator, "");
  1187.             while (it.hasNext()) {
  1188.                 append(it.next());
  1189.                 if (it.hasNext()) {
  1190.                     append(sep);
  1191.                 }
  1192.             }
  1193.         }
  1194.         return this;
  1195.     }

  1196.     //-----------------------------------------------------------------------
  1197.     /**
  1198.      * Appends a separator if the builder is currently non-empty.
  1199.      * Appending a null separator will have no effect.
  1200.      * The separator is appended using {@link #append(String)}.
  1201.      * <p>
  1202.      * This method is useful for adding a separator each time around the
  1203.      * loop except the first.
  1204.      * <pre>
  1205.      * for (Iterator it = list.iterator(); it.hasNext(); ) {
  1206.      *   appendSeparator(",");
  1207.      *   append(it.next());
  1208.      * }
  1209.      * </pre>
  1210.      * Note that for this simple example, you should use
  1211.      * {@link #appendWithSeparators(Iterable, String)}.
  1212.      *
  1213.      * @param separator  the separator to use, null means no separator
  1214.      * @return this, to enable chaining
  1215.      */
  1216.     public StrBuilder appendSeparator(final String separator) {
  1217.         return appendSeparator(separator, null);
  1218.     }

  1219.     /**
  1220.      * Appends one of both separators to the StrBuilder.
  1221.      * If the builder is currently empty it will append the defaultIfEmpty-separator
  1222.      * Otherwise it will append the standard-separator
  1223.      *
  1224.      * Appending a null separator will have no effect.
  1225.      * The separator is appended using {@link #append(String)}.
  1226.      * <p>
  1227.      * This method is for example useful for constructing queries
  1228.      * <pre>
  1229.      * StrBuilder whereClause = new StrBuilder();
  1230.      * if(searchCommand.getPriority() != null) {
  1231.      *  whereClause.appendSeparator(" and", " where");
  1232.      *  whereClause.append(" priority = ?")
  1233.      * }
  1234.      * if(searchCommand.getComponent() != null) {
  1235.      *  whereClause.appendSeparator(" and", " where");
  1236.      *  whereClause.append(" component = ?")
  1237.      * }
  1238.      * selectClause.append(whereClause)
  1239.      * </pre>
  1240.      *
  1241.      * @param standard the separator if builder is not empty, null means no separator
  1242.      * @param defaultIfEmpty the separator if builder is empty, null means no separator
  1243.      * @return this, to enable chaining
  1244.      */
  1245.     public StrBuilder appendSeparator(final String standard, final String defaultIfEmpty) {
  1246.         final String str = isEmpty() ? defaultIfEmpty : standard;
  1247.         if (str != null) {
  1248.             append(str);
  1249.         }
  1250.         return this;
  1251.     }

  1252.     /**
  1253.      * Appends a separator if the builder is currently non-empty.
  1254.      * The separator is appended using {@link #append(char)}.
  1255.      * <p>
  1256.      * This method is useful for adding a separator each time around the
  1257.      * loop except the first.
  1258.      * <pre>
  1259.      * for (Iterator it = list.iterator(); it.hasNext(); ) {
  1260.      *   appendSeparator(',');
  1261.      *   append(it.next());
  1262.      * }
  1263.      * </pre>
  1264.      * Note that for this simple example, you should use
  1265.      * {@link #appendWithSeparators(Iterable, String)}.
  1266.      *
  1267.      * @param separator  the separator to use
  1268.      * @return this, to enable chaining
  1269.      */
  1270.     public StrBuilder appendSeparator(final char separator) {
  1271.         if (size() > 0) {
  1272.             append(separator);
  1273.         }
  1274.         return this;
  1275.     }

  1276.     /**
  1277.      * Append one of both separators to the builder
  1278.      * If the builder is currently empty it will append the defaultIfEmpty-separator
  1279.      * Otherwise it will append the standard-separator
  1280.      *
  1281.      * The separator is appended using {@link #append(char)}.
  1282.      * @param standard the separator if builder is not empty
  1283.      * @param defaultIfEmpty the separator if builder is empty
  1284.      * @return this, to enable chaining
  1285.      */
  1286.     public StrBuilder appendSeparator(final char standard, final char defaultIfEmpty) {
  1287.         if (size() > 0) {
  1288.             append(standard);
  1289.         } else {
  1290.             append(defaultIfEmpty);
  1291.         }
  1292.         return this;
  1293.     }
  1294.     /**
  1295.      * Appends a separator to the builder if the loop index is greater than zero.
  1296.      * Appending a null separator will have no effect.
  1297.      * The separator is appended using {@link #append(String)}.
  1298.      * <p>
  1299.      * This method is useful for adding a separator each time around the
  1300.      * loop except the first.
  1301.      * </p>
  1302.      * <pre>
  1303.      * for (int i = 0; i &lt; list.size(); i++) {
  1304.      *   appendSeparator(",", i);
  1305.      *   append(list.get(i));
  1306.      * }
  1307.      * </pre>
  1308.      * Note that for this simple example, you should use
  1309.      * {@link #appendWithSeparators(Iterable, String)}.
  1310.      *
  1311.      * @param separator  the separator to use, null means no separator
  1312.      * @param loopIndex  the loop index
  1313.      * @return this, to enable chaining
  1314.      */
  1315.     public StrBuilder appendSeparator(final String separator, final int loopIndex) {
  1316.         if (separator != null && loopIndex > 0) {
  1317.             append(separator);
  1318.         }
  1319.         return this;
  1320.     }

  1321.     /**
  1322.      * Appends a separator to the builder if the loop index is greater than zero.
  1323.      * The separator is appended using {@link #append(char)}.
  1324.      * <p>
  1325.      * This method is useful for adding a separator each time around the
  1326.      * loop except the first.
  1327.      * </p>
  1328.      * <pre>
  1329.      * for (int i = 0; i &lt; list.size(); i++) {
  1330.      *   appendSeparator(",", i);
  1331.      *   append(list.get(i));
  1332.      * }
  1333.      * </pre>
  1334.      * Note that for this simple example, you should use
  1335.      * {@link #appendWithSeparators(Iterable, String)}.
  1336.      *
  1337.      * @param separator  the separator to use
  1338.      * @param loopIndex  the loop index
  1339.      * @return this, to enable chaining
  1340.      */
  1341.     public StrBuilder appendSeparator(final char separator, final int loopIndex) {
  1342.         if (loopIndex > 0) {
  1343.             append(separator);
  1344.         }
  1345.         return this;
  1346.     }

  1347.     //-----------------------------------------------------------------------
  1348.     /**
  1349.      * Appends the pad character to the builder the specified number of times.
  1350.      *
  1351.      * @param length  the length to append, negative means no append
  1352.      * @param padChar  the character to append
  1353.      * @return this, to enable chaining
  1354.      */
  1355.     public StrBuilder appendPadding(final int length, final char padChar) {
  1356.         if (length >= 0) {
  1357.             ensureCapacity(size + length);
  1358.             for (int i = 0; i < length; i++) {
  1359.                 buffer[size++] = padChar;
  1360.             }
  1361.         }
  1362.         return this;
  1363.     }

  1364.     //-----------------------------------------------------------------------
  1365.     /**
  1366.      * Appends an object to the builder padding on the left to a fixed width.
  1367.      * The <code>toString</code> of the object is used.
  1368.      * If the object is larger than the length, the left hand side is lost.
  1369.      * If the object is null, the null text value is used.
  1370.      *
  1371.      * @param obj  the object to append, null uses null text
  1372.      * @param width  the fixed field width, zero or negative has no effect
  1373.      * @param padChar  the pad character to use
  1374.      * @return this, to enable chaining
  1375.      */
  1376.     public StrBuilder appendFixedWidthPadLeft(final Object obj, final int width, final char padChar) {
  1377.         if (width > 0) {
  1378.             ensureCapacity(size + width);
  1379.             String str = (obj == null ? getNullText() : obj.toString());
  1380.             if (str == null) {
  1381.                 str = "";
  1382.             }
  1383.             final int strLen = str.length();
  1384.             if (strLen >= width) {
  1385.                 str.getChars(strLen - width, strLen, buffer, size);
  1386.             } else {
  1387.                 final int padLen = width - strLen;
  1388.                 for (int i = 0; i < padLen; i++) {
  1389.                     buffer[size + i] = padChar;
  1390.                 }
  1391.                 str.getChars(0, strLen, buffer, size + padLen);
  1392.             }
  1393.             size += width;
  1394.         }
  1395.         return this;
  1396.     }

  1397.     /**
  1398.      * Appends an object to the builder padding on the left to a fixed width.
  1399.      * The <code>String.valueOf</code> of the <code>int</code> value is used.
  1400.      * If the formatted value is larger than the length, the left hand side is lost.
  1401.      *
  1402.      * @param value  the value to append
  1403.      * @param width  the fixed field width, zero or negative has no effect
  1404.      * @param padChar  the pad character to use
  1405.      * @return this, to enable chaining
  1406.      */
  1407.     public StrBuilder appendFixedWidthPadLeft(final int value, final int width, final char padChar) {
  1408.         return appendFixedWidthPadLeft(String.valueOf(value), width, padChar);
  1409.     }

  1410.     /**
  1411.      * Appends an object to the builder padding on the right to a fixed length.
  1412.      * The <code>toString</code> of the object is used.
  1413.      * If the object is larger than the length, the right hand side is lost.
  1414.      * If the object is null, null text value is used.
  1415.      *
  1416.      * @param obj  the object to append, null uses null text
  1417.      * @param width  the fixed field width, zero or negative has no effect
  1418.      * @param padChar  the pad character to use
  1419.      * @return this, to enable chaining
  1420.      */
  1421.     public StrBuilder appendFixedWidthPadRight(final Object obj, final int width, final char padChar) {
  1422.         if (width > 0) {
  1423.             ensureCapacity(size + width);
  1424.             String str = (obj == null ? getNullText() : obj.toString());
  1425.             if (str == null) {
  1426.                 str = "";
  1427.             }
  1428.             final int strLen = str.length();
  1429.             if (strLen >= width) {
  1430.                 str.getChars(0, width, buffer, size);
  1431.             } else {
  1432.                 final int padLen = width - strLen;
  1433.                 str.getChars(0, strLen, buffer, size);
  1434.                 for (int i = 0; i < padLen; i++) {
  1435.                     buffer[size + strLen + i] = padChar;
  1436.                 }
  1437.             }
  1438.             size += width;
  1439.         }
  1440.         return this;
  1441.     }

  1442.     /**
  1443.      * Appends an object to the builder padding on the right to a fixed length.
  1444.      * The <code>String.valueOf</code> of the <code>int</code> value is used.
  1445.      * If the object is larger than the length, the right hand side is lost.
  1446.      *
  1447.      * @param value  the value to append
  1448.      * @param width  the fixed field width, zero or negative has no effect
  1449.      * @param padChar  the pad character to use
  1450.      * @return this, to enable chaining
  1451.      */
  1452.     public StrBuilder appendFixedWidthPadRight(final int value, final int width, final char padChar) {
  1453.         return appendFixedWidthPadRight(String.valueOf(value), width, padChar);
  1454.     }

  1455.     //-----------------------------------------------------------------------
  1456.     /**
  1457.      * Inserts the string representation of an object into this builder.
  1458.      * Inserting null will use the stored null text value.
  1459.      *
  1460.      * @param index  the index to add at, must be valid
  1461.      * @param obj  the object to insert
  1462.      * @return this, to enable chaining
  1463.      * @throws IndexOutOfBoundsException if the index is invalid
  1464.      */
  1465.     public StrBuilder insert(final int index, final Object obj) {
  1466.         if (obj == null) {
  1467.             return insert(index, nullText);
  1468.         }
  1469.         return insert(index, obj.toString());
  1470.     }

  1471.     /**
  1472.      * Inserts the string into this builder.
  1473.      * Inserting null will use the stored null text value.
  1474.      *
  1475.      * @param index  the index to add at, must be valid
  1476.      * @param str  the string to insert
  1477.      * @return this, to enable chaining
  1478.      * @throws IndexOutOfBoundsException if the index is invalid
  1479.      */
  1480.     public StrBuilder insert(final int index, String str) {
  1481.         validateIndex(index);
  1482.         if (str == null) {
  1483.             str = nullText;
  1484.         }
  1485.         if (str != null) {
  1486.             final int strLen = str.length();
  1487.             if (strLen > 0) {
  1488.                 final int newSize = size + strLen;
  1489.                 ensureCapacity(newSize);
  1490.                 System.arraycopy(buffer, index, buffer, index + strLen, size - index);
  1491.                 size = newSize;
  1492.                 str.getChars(0, strLen, buffer, index);
  1493.             }
  1494.         }
  1495.         return this;
  1496.     }

  1497.     /**
  1498.      * Inserts the character array into this builder.
  1499.      * Inserting null will use the stored null text value.
  1500.      *
  1501.      * @param index  the index to add at, must be valid
  1502.      * @param chars  the char array to insert
  1503.      * @return this, to enable chaining
  1504.      * @throws IndexOutOfBoundsException if the index is invalid
  1505.      */
  1506.     public StrBuilder insert(final int index, final char chars[]) {
  1507.         validateIndex(index);
  1508.         if (chars == null) {
  1509.             return insert(index, nullText);
  1510.         }
  1511.         final int len = chars.length;
  1512.         if (len > 0) {
  1513.             ensureCapacity(size + len);
  1514.             System.arraycopy(buffer, index, buffer, index + len, size - index);
  1515.             System.arraycopy(chars, 0, buffer, index, len);
  1516.             size += len;
  1517.         }
  1518.         return this;
  1519.     }

  1520.     /**
  1521.      * Inserts part of the character array into this builder.
  1522.      * Inserting null will use the stored null text value.
  1523.      *
  1524.      * @param index  the index to add at, must be valid
  1525.      * @param chars  the char array to insert
  1526.      * @param offset  the offset into the character array to start at, must be valid
  1527.      * @param length  the length of the character array part to copy, must be positive
  1528.      * @return this, to enable chaining
  1529.      * @throws IndexOutOfBoundsException if any index is invalid
  1530.      */
  1531.     public StrBuilder insert(final int index, final char chars[], final int offset, final int length) {
  1532.         validateIndex(index);
  1533.         if (chars == null) {
  1534.             return insert(index, nullText);
  1535.         }
  1536.         if (offset < 0 || offset > chars.length) {
  1537.             throw new StringIndexOutOfBoundsException("Invalid offset: " + offset);
  1538.         }
  1539.         if (length < 0 || offset + length > chars.length) {
  1540.             throw new StringIndexOutOfBoundsException("Invalid length: " + length);
  1541.         }
  1542.         if (length > 0) {
  1543.             ensureCapacity(size + length);
  1544.             System.arraycopy(buffer, index, buffer, index + length, size - index);
  1545.             System.arraycopy(chars, offset, buffer, index, length);
  1546.             size += length;
  1547.         }
  1548.         return this;
  1549.     }

  1550.     /**
  1551.      * Inserts the value into this builder.
  1552.      *
  1553.      * @param index  the index to add at, must be valid
  1554.      * @param value  the value to insert
  1555.      * @return this, to enable chaining
  1556.      * @throws IndexOutOfBoundsException if the index is invalid
  1557.      */
  1558.     public StrBuilder insert(int index, final boolean value) {
  1559.         validateIndex(index);
  1560.         if (value) {
  1561.             ensureCapacity(size + 4);
  1562.             System.arraycopy(buffer, index, buffer, index + 4, size - index);
  1563.             buffer[index++] = 't';
  1564.             buffer[index++] = 'r';
  1565.             buffer[index++] = 'u';
  1566.             buffer[index] = 'e';
  1567.             size += 4;
  1568.         } else {
  1569.             ensureCapacity(size + 5);
  1570.             System.arraycopy(buffer, index, buffer, index + 5, size - index);
  1571.             buffer[index++] = 'f';
  1572.             buffer[index++] = 'a';
  1573.             buffer[index++] = 'l';
  1574.             buffer[index++] = 's';
  1575.             buffer[index] = 'e';
  1576.             size += 5;
  1577.         }
  1578.         return this;
  1579.     }

  1580.     /**
  1581.      * Inserts the value into this builder.
  1582.      *
  1583.      * @param index  the index to add at, must be valid
  1584.      * @param value  the value to insert
  1585.      * @return this, to enable chaining
  1586.      * @throws IndexOutOfBoundsException if the index is invalid
  1587.      */
  1588.     public StrBuilder insert(final int index, final char value) {
  1589.         validateIndex(index);
  1590.         ensureCapacity(size + 1);
  1591.         System.arraycopy(buffer, index, buffer, index + 1, size - index);
  1592.         buffer[index] = value;
  1593.         size++;
  1594.         return this;
  1595.     }

  1596.     /**
  1597.      * Inserts the value into this builder.
  1598.      *
  1599.      * @param index  the index to add at, must be valid
  1600.      * @param value  the value to insert
  1601.      * @return this, to enable chaining
  1602.      * @throws IndexOutOfBoundsException if the index is invalid
  1603.      */
  1604.     public StrBuilder insert(final int index, final int value) {
  1605.         return insert(index, String.valueOf(value));
  1606.     }

  1607.     /**
  1608.      * Inserts the value into this builder.
  1609.      *
  1610.      * @param index  the index to add at, must be valid
  1611.      * @param value  the value to insert
  1612.      * @return this, to enable chaining
  1613.      * @throws IndexOutOfBoundsException if the index is invalid
  1614.      */
  1615.     public StrBuilder insert(final int index, final long value) {
  1616.         return insert(index, String.valueOf(value));
  1617.     }

  1618.     /**
  1619.      * Inserts the value into this builder.
  1620.      *
  1621.      * @param index  the index to add at, must be valid
  1622.      * @param value  the value to insert
  1623.      * @return this, to enable chaining
  1624.      * @throws IndexOutOfBoundsException if the index is invalid
  1625.      */
  1626.     public StrBuilder insert(final int index, final float value) {
  1627.         return insert(index, String.valueOf(value));
  1628.     }

  1629.     /**
  1630.      * Inserts the value into this builder.
  1631.      *
  1632.      * @param index  the index to add at, must be valid
  1633.      * @param value  the value to insert
  1634.      * @return this, to enable chaining
  1635.      * @throws IndexOutOfBoundsException if the index is invalid
  1636.      */
  1637.     public StrBuilder insert(final int index, final double value) {
  1638.         return insert(index, String.valueOf(value));
  1639.     }

  1640.     //-----------------------------------------------------------------------
  1641.     /**
  1642.      * Internal method to delete a range without validation.
  1643.      *
  1644.      * @param startIndex  the start index, must be valid
  1645.      * @param endIndex  the end index (exclusive), must be valid
  1646.      * @param len  the length, must be valid
  1647.      * @throws IndexOutOfBoundsException if any index is invalid
  1648.      */
  1649.     private void deleteImpl(final int startIndex, final int endIndex, final int len) {
  1650.         System.arraycopy(buffer, endIndex, buffer, startIndex, size - endIndex);
  1651.         size -= len;
  1652.     }

  1653.     /**
  1654.      * Deletes the characters between the two specified indices.
  1655.      *
  1656.      * @param startIndex  the start index, inclusive, must be valid
  1657.      * @param endIndex  the end index, exclusive, must be valid except
  1658.      *  that if too large it is treated as end of string
  1659.      * @return this, to enable chaining
  1660.      * @throws IndexOutOfBoundsException if the index is invalid
  1661.      */
  1662.     public StrBuilder delete(final int startIndex, int endIndex) {
  1663.         endIndex = validateRange(startIndex, endIndex);
  1664.         final int len = endIndex - startIndex;
  1665.         if (len > 0) {
  1666.             deleteImpl(startIndex, endIndex, len);
  1667.         }
  1668.         return this;
  1669.     }

  1670.     //-----------------------------------------------------------------------
  1671.     /**
  1672.      * Deletes the character wherever it occurs in the builder.
  1673.      *
  1674.      * @param ch  the character to delete
  1675.      * @return this, to enable chaining
  1676.      */
  1677.     public StrBuilder deleteAll(final char ch) {
  1678.         for (int i = 0; i < size; i++) {
  1679.             if (buffer[i] == ch) {
  1680.                 final int start = i;
  1681.                 while (++i < size) {
  1682.                     if (buffer[i] != ch) {
  1683.                         break;
  1684.                     }
  1685.                 }
  1686.                 final int len = i - start;
  1687.                 deleteImpl(start, i, len);
  1688.                 i -= len;
  1689.             }
  1690.         }
  1691.         return this;
  1692.     }

  1693.     /**
  1694.      * Deletes the character wherever it occurs in the builder.
  1695.      *
  1696.      * @param ch  the character to delete
  1697.      * @return this, to enable chaining
  1698.      */
  1699.     public StrBuilder deleteFirst(final char ch) {
  1700.         for (int i = 0; i < size; i++) {
  1701.             if (buffer[i] == ch) {
  1702.                 deleteImpl(i, i + 1, 1);
  1703.                 break;
  1704.             }
  1705.         }
  1706.         return this;
  1707.     }

  1708.     //-----------------------------------------------------------------------
  1709.     /**
  1710.      * Deletes the string wherever it occurs in the builder.
  1711.      *
  1712.      * @param str  the string to delete, null causes no action
  1713.      * @return this, to enable chaining
  1714.      */
  1715.     public StrBuilder deleteAll(final String str) {
  1716.         final int len = (str == null ? 0 : str.length());
  1717.         if (len > 0) {
  1718.             int index = indexOf(str, 0);
  1719.             while (index >= 0) {
  1720.                 deleteImpl(index, index + len, len);
  1721.                 index = indexOf(str, index);
  1722.             }
  1723.         }
  1724.         return this;
  1725.     }

  1726.     /**
  1727.      * Deletes the string wherever it occurs in the builder.
  1728.      *
  1729.      * @param str  the string to delete, null causes no action
  1730.      * @return this, to enable chaining
  1731.      */
  1732.     public StrBuilder deleteFirst(final String str) {
  1733.         final int len = (str == null ? 0 : str.length());
  1734.         if (len > 0) {
  1735.             final int index = indexOf(str, 0);
  1736.             if (index >= 0) {
  1737.                 deleteImpl(index, index + len, len);
  1738.             }
  1739.         }
  1740.         return this;
  1741.     }

  1742.     //-----------------------------------------------------------------------
  1743.     /**
  1744.      * Deletes all parts of the builder that the matcher matches.
  1745.      * <p>
  1746.      * Matchers can be used to perform advanced deletion behaviour.
  1747.      * For example you could write a matcher to delete all occurrences
  1748.      * where the character 'a' is followed by a number.
  1749.      *
  1750.      * @param matcher  the matcher to use to find the deletion, null causes no action
  1751.      * @return this, to enable chaining
  1752.      */
  1753.     public StrBuilder deleteAll(final StrMatcher matcher) {
  1754.         return replace(matcher, null, 0, size, -1);
  1755.     }

  1756.     /**
  1757.      * Deletes the first match within the builder using the specified matcher.
  1758.      * <p>
  1759.      * Matchers can be used to perform advanced deletion behaviour.
  1760.      * For example you could write a matcher to delete
  1761.      * where the character 'a' is followed by a number.
  1762.      *
  1763.      * @param matcher  the matcher to use to find the deletion, null causes no action
  1764.      * @return this, to enable chaining
  1765.      */
  1766.     public StrBuilder deleteFirst(final StrMatcher matcher) {
  1767.         return replace(matcher, null, 0, size, 1);
  1768.     }

  1769.     //-----------------------------------------------------------------------
  1770.     /**
  1771.      * Internal method to delete a range without validation.
  1772.      *
  1773.      * @param startIndex  the start index, must be valid
  1774.      * @param endIndex  the end index (exclusive), must be valid
  1775.      * @param removeLen  the length to remove (endIndex - startIndex), must be valid
  1776.      * @param insertStr  the string to replace with, null means delete range
  1777.      * @param insertLen  the length of the insert string, must be valid
  1778.      * @throws IndexOutOfBoundsException if any index is invalid
  1779.      */
  1780.     private void replaceImpl(final int startIndex, final int endIndex, final int removeLen, final String insertStr, final int insertLen) {
  1781.         final int newSize = size - removeLen + insertLen;
  1782.         if (insertLen != removeLen) {
  1783.             ensureCapacity(newSize);
  1784.             System.arraycopy(buffer, endIndex, buffer, startIndex + insertLen, size - endIndex);
  1785.             size = newSize;
  1786.         }
  1787.         if (insertLen > 0) {
  1788.             insertStr.getChars(0, insertLen, buffer, startIndex);
  1789.         }
  1790.     }

  1791.     /**
  1792.      * Replaces a portion of the string builder with another string.
  1793.      * The length of the inserted string does not have to match the removed length.
  1794.      *
  1795.      * @param startIndex  the start index, inclusive, must be valid
  1796.      * @param endIndex  the end index, exclusive, must be valid except
  1797.      *  that if too large it is treated as end of string
  1798.      * @param replaceStr  the string to replace with, null means delete range
  1799.      * @return this, to enable chaining
  1800.      * @throws IndexOutOfBoundsException if the index is invalid
  1801.      */
  1802.     public StrBuilder replace(final int startIndex, int endIndex, final String replaceStr) {
  1803.         endIndex = validateRange(startIndex, endIndex);
  1804.         final int insertLen = (replaceStr == null ? 0 : replaceStr.length());
  1805.         replaceImpl(startIndex, endIndex, endIndex - startIndex, replaceStr, insertLen);
  1806.         return this;
  1807.     }

  1808.     //-----------------------------------------------------------------------
  1809.     /**
  1810.      * Replaces the search character with the replace character
  1811.      * throughout the builder.
  1812.      *
  1813.      * @param search  the search character
  1814.      * @param replace  the replace character
  1815.      * @return this, to enable chaining
  1816.      */
  1817.     public StrBuilder replaceAll(final char search, final char replace) {
  1818.         if (search != replace) {
  1819.             for (int i = 0; i < size; i++) {
  1820.                 if (buffer[i] == search) {
  1821.                     buffer[i] = replace;
  1822.                 }
  1823.             }
  1824.         }
  1825.         return this;
  1826.     }

  1827.     /**
  1828.      * Replaces the first instance of the search character with the
  1829.      * replace character in the builder.
  1830.      *
  1831.      * @param search  the search character
  1832.      * @param replace  the replace character
  1833.      * @return this, to enable chaining
  1834.      */
  1835.     public StrBuilder replaceFirst(final char search, final char replace) {
  1836.         if (search != replace) {
  1837.             for (int i = 0; i < size; i++) {
  1838.                 if (buffer[i] == search) {
  1839.                     buffer[i] = replace;
  1840.                     break;
  1841.                 }
  1842.             }
  1843.         }
  1844.         return this;
  1845.     }

  1846.     //-----------------------------------------------------------------------
  1847.     /**
  1848.      * Replaces the search string with the replace string throughout the builder.
  1849.      *
  1850.      * @param searchStr  the search string, null causes no action to occur
  1851.      * @param replaceStr  the replace string, null is equivalent to an empty string
  1852.      * @return this, to enable chaining
  1853.      */
  1854.     public StrBuilder replaceAll(final String searchStr, final String replaceStr) {
  1855.         final int searchLen = (searchStr == null ? 0 : searchStr.length());
  1856.         if (searchLen > 0) {
  1857.             final int replaceLen = (replaceStr == null ? 0 : replaceStr.length());
  1858.             int index = indexOf(searchStr, 0);
  1859.             while (index >= 0) {
  1860.                 replaceImpl(index, index + searchLen, searchLen, replaceStr, replaceLen);
  1861.                 index = indexOf(searchStr, index + replaceLen);
  1862.             }
  1863.         }
  1864.         return this;
  1865.     }

  1866.     /**
  1867.      * Replaces the first instance of the search string with the replace string.
  1868.      *
  1869.      * @param searchStr  the search string, null causes no action to occur
  1870.      * @param replaceStr  the replace string, null is equivalent to an empty string
  1871.      * @return this, to enable chaining
  1872.      */
  1873.     public StrBuilder replaceFirst(final String searchStr, final String replaceStr) {
  1874.         final int searchLen = (searchStr == null ? 0 : searchStr.length());
  1875.         if (searchLen > 0) {
  1876.             final int index = indexOf(searchStr, 0);
  1877.             if (index >= 0) {
  1878.                 final int replaceLen = (replaceStr == null ? 0 : replaceStr.length());
  1879.                 replaceImpl(index, index + searchLen, searchLen, replaceStr, replaceLen);
  1880.             }
  1881.         }
  1882.         return this;
  1883.     }

  1884.     //-----------------------------------------------------------------------
  1885.     /**
  1886.      * Replaces all matches within the builder with the replace string.
  1887.      * <p>
  1888.      * Matchers can be used to perform advanced replace behaviour.
  1889.      * For example you could write a matcher to replace all occurrences
  1890.      * where the character 'a' is followed by a number.
  1891.      *
  1892.      * @param matcher  the matcher to use to find the deletion, null causes no action
  1893.      * @param replaceStr  the replace string, null is equivalent to an empty string
  1894.      * @return this, to enable chaining
  1895.      */
  1896.     public StrBuilder replaceAll(final StrMatcher matcher, final String replaceStr) {
  1897.         return replace(matcher, replaceStr, 0, size, -1);
  1898.     }

  1899.     /**
  1900.      * Replaces the first match within the builder with the replace string.
  1901.      * <p>
  1902.      * Matchers can be used to perform advanced replace behaviour.
  1903.      * For example you could write a matcher to replace
  1904.      * where the character 'a' is followed by a number.
  1905.      *
  1906.      * @param matcher  the matcher to use to find the deletion, null causes no action
  1907.      * @param replaceStr  the replace string, null is equivalent to an empty string
  1908.      * @return this, to enable chaining
  1909.      */
  1910.     public StrBuilder replaceFirst(final StrMatcher matcher, final String replaceStr) {
  1911.         return replace(matcher, replaceStr, 0, size, 1);
  1912.     }

  1913.     // -----------------------------------------------------------------------
  1914.     /**
  1915.      * Advanced search and replaces within the builder using a matcher.
  1916.      * <p>
  1917.      * Matchers can be used to perform advanced behaviour.
  1918.      * For example you could write a matcher to delete all occurrences
  1919.      * where the character 'a' is followed by a number.
  1920.      *
  1921.      * @param matcher  the matcher to use to find the deletion, null causes no action
  1922.      * @param replaceStr  the string to replace the match with, null is a delete
  1923.      * @param startIndex  the start index, inclusive, must be valid
  1924.      * @param endIndex  the end index, exclusive, must be valid except
  1925.      *  that if too large it is treated as end of string
  1926.      * @param replaceCount  the number of times to replace, -1 for replace all
  1927.      * @return this, to enable chaining
  1928.      * @throws IndexOutOfBoundsException if start index is invalid
  1929.      */
  1930.     public StrBuilder replace(
  1931.             final StrMatcher matcher, final String replaceStr,
  1932.             final int startIndex, int endIndex, final int replaceCount) {
  1933.         endIndex = validateRange(startIndex, endIndex);
  1934.         return replaceImpl(matcher, replaceStr, startIndex, endIndex, replaceCount);
  1935.     }

  1936.     /**
  1937.      * Replaces within the builder using a matcher.
  1938.      * <p>
  1939.      * Matchers can be used to perform advanced behaviour.
  1940.      * For example you could write a matcher to delete all occurrences
  1941.      * where the character 'a' is followed by a number.
  1942.      *
  1943.      * @param matcher  the matcher to use to find the deletion, null causes no action
  1944.      * @param replaceStr  the string to replace the match with, null is a delete
  1945.      * @param from  the start index, must be valid
  1946.      * @param to  the end index (exclusive), must be valid
  1947.      * @param replaceCount  the number of times to replace, -1 for replace all
  1948.      * @return this, to enable chaining
  1949.      * @throws IndexOutOfBoundsException if any index is invalid
  1950.      */
  1951.     private StrBuilder replaceImpl(
  1952.             final StrMatcher matcher, final String replaceStr,
  1953.             final int from, int to, int replaceCount) {
  1954.         if (matcher == null || size == 0) {
  1955.             return this;
  1956.         }
  1957.         final int replaceLen = (replaceStr == null ? 0 : replaceStr.length());
  1958.         for (int i = from; i < to && replaceCount != 0; i++) {
  1959.             final char[] buf = buffer;
  1960.             final int removeLen = matcher.isMatch(buf, i, from, to);
  1961.             if (removeLen > 0) {
  1962.                 replaceImpl(i, i + removeLen, removeLen, replaceStr, replaceLen);
  1963.                 to = to - removeLen + replaceLen;
  1964.                 i = i + replaceLen - 1;
  1965.                 if (replaceCount > 0) {
  1966.                     replaceCount--;
  1967.                 }
  1968.             }
  1969.         }
  1970.         return this;
  1971.     }

  1972.     //-----------------------------------------------------------------------
  1973.     /**
  1974.      * Reverses the string builder placing each character in the opposite index.
  1975.      *
  1976.      * @return this, to enable chaining
  1977.      */
  1978.     public StrBuilder reverse() {
  1979.         if (size == 0) {
  1980.             return this;
  1981.         }

  1982.         final int half = size / 2;
  1983.         final char[] buf = buffer;
  1984.         for (int leftIdx = 0, rightIdx = size - 1; leftIdx < half; leftIdx++,rightIdx--) {
  1985.             final char swap = buf[leftIdx];
  1986.             buf[leftIdx] = buf[rightIdx];
  1987.             buf[rightIdx] = swap;
  1988.         }
  1989.         return this;
  1990.     }

  1991.     //-----------------------------------------------------------------------
  1992.     /**
  1993.      * Trims the builder by removing characters less than or equal to a space
  1994.      * from the beginning and end.
  1995.      *
  1996.      * @return this, to enable chaining
  1997.      */
  1998.     public StrBuilder trim() {
  1999.         if (size == 0) {
  2000.             return this;
  2001.         }
  2002.         int len = size;
  2003.         final char[] buf = buffer;
  2004.         int pos = 0;
  2005.         while (pos < len && buf[pos] <= ' ') {
  2006.             pos++;
  2007.         }
  2008.         while (pos < len && buf[len - 1] <= ' ') {
  2009.             len--;
  2010.         }
  2011.         if (len < size) {
  2012.             delete(len, size);
  2013.         }
  2014.         if (pos > 0) {
  2015.             delete(0, pos);
  2016.         }
  2017.         return this;
  2018.     }

  2019.     //-----------------------------------------------------------------------
  2020.     /**
  2021.      * Checks whether this builder starts with the specified string.
  2022.      * <p>
  2023.      * Note that this method handles null input quietly, unlike String.
  2024.      *
  2025.      * @param str  the string to search for, null returns false
  2026.      * @return true if the builder starts with the string
  2027.      */
  2028.     public boolean startsWith(final String str) {
  2029.         if (str == null) {
  2030.             return false;
  2031.         }
  2032.         final int len = str.length();
  2033.         if (len == 0) {
  2034.             return true;
  2035.         }
  2036.         if (len > size) {
  2037.             return false;
  2038.         }
  2039.         for (int i = 0; i < len; i++) {
  2040.             if (buffer[i] != str.charAt(i)) {
  2041.                 return false;
  2042.             }
  2043.         }
  2044.         return true;
  2045.     }

  2046.     /**
  2047.      * Checks whether this builder ends with the specified string.
  2048.      * <p>
  2049.      * Note that this method handles null input quietly, unlike String.
  2050.      *
  2051.      * @param str  the string to search for, null returns false
  2052.      * @return true if the builder ends with the string
  2053.      */
  2054.     public boolean endsWith(final String str) {
  2055.         if (str == null) {
  2056.             return false;
  2057.         }
  2058.         final int len = str.length();
  2059.         if (len == 0) {
  2060.             return true;
  2061.         }
  2062.         if (len > size) {
  2063.             return false;
  2064.         }
  2065.         int pos = size - len;
  2066.         for (int i = 0; i < len; i++,pos++) {
  2067.             if (buffer[pos] != str.charAt(i)) {
  2068.                 return false;
  2069.             }
  2070.         }
  2071.         return true;
  2072.     }

  2073.     //-----------------------------------------------------------------------
  2074.     /**
  2075.      * {@inheritDoc}
  2076.      */
  2077.     @Override
  2078.     public CharSequence subSequence(final int startIndex, final int endIndex) {
  2079.       if (startIndex < 0) {
  2080.           throw new StringIndexOutOfBoundsException(startIndex);
  2081.       }
  2082.       if (endIndex > size) {
  2083.           throw new StringIndexOutOfBoundsException(endIndex);
  2084.       }
  2085.       if (startIndex > endIndex) {
  2086.           throw new StringIndexOutOfBoundsException(endIndex - startIndex);
  2087.       }
  2088.       return substring(startIndex, endIndex);
  2089.     }

  2090.     /**
  2091.      * Extracts a portion of this string builder as a string.
  2092.      *
  2093.      * @param start  the start index, inclusive, must be valid
  2094.      * @return the new string
  2095.      * @throws IndexOutOfBoundsException if the index is invalid
  2096.      */
  2097.     public String substring(final int start) {
  2098.         return substring(start, size);
  2099.     }

  2100.     /**
  2101.      * Extracts a portion of this string builder as a string.
  2102.      * <p>
  2103.      * Note: This method treats an endIndex greater than the length of the
  2104.      * builder as equal to the length of the builder, and continues
  2105.      * without error, unlike StringBuffer or String.
  2106.      *
  2107.      * @param startIndex  the start index, inclusive, must be valid
  2108.      * @param endIndex  the end index, exclusive, must be valid except
  2109.      *  that if too large it is treated as end of string
  2110.      * @return the new string
  2111.      * @throws IndexOutOfBoundsException if the index is invalid
  2112.      */
  2113.     public String substring(final int startIndex, int endIndex) {
  2114.         endIndex = validateRange(startIndex, endIndex);
  2115.         return new String(buffer, startIndex, endIndex - startIndex);
  2116.     }

  2117.     /**
  2118.      * Extracts the leftmost characters from the string builder without
  2119.      * throwing an exception.
  2120.      * <p>
  2121.      * This method extracts the left <code>length</code> characters from
  2122.      * the builder. If this many characters are not available, the whole
  2123.      * builder is returned. Thus the returned string may be shorter than the
  2124.      * length requested.
  2125.      *
  2126.      * @param length  the number of characters to extract, negative returns empty string
  2127.      * @return the new string
  2128.      */
  2129.     public String leftString(final int length) {
  2130.         if (length <= 0) {
  2131.             return "";
  2132.         } else if (length >= size) {
  2133.             return new String(buffer, 0, size);
  2134.         } else {
  2135.             return new String(buffer, 0, length);
  2136.         }
  2137.     }

  2138.     /**
  2139.      * Extracts the rightmost characters from the string builder without
  2140.      * throwing an exception.
  2141.      * <p>
  2142.      * This method extracts the right <code>length</code> characters from
  2143.      * the builder. If this many characters are not available, the whole
  2144.      * builder is returned. Thus the returned string may be shorter than the
  2145.      * length requested.
  2146.      *
  2147.      * @param length  the number of characters to extract, negative returns empty string
  2148.      * @return the new string
  2149.      */
  2150.     public String rightString(final int length) {
  2151.         if (length <= 0) {
  2152.             return "";
  2153.         } else if (length >= size) {
  2154.             return new String(buffer, 0, size);
  2155.         } else {
  2156.             return new String(buffer, size - length, length);
  2157.         }
  2158.     }

  2159.     /**
  2160.      * Extracts some characters from the middle of the string builder without
  2161.      * throwing an exception.
  2162.      * <p>
  2163.      * This method extracts <code>length</code> characters from the builder
  2164.      * at the specified index.
  2165.      * If the index is negative it is treated as zero.
  2166.      * If the index is greater than the builder size, it is treated as the builder size.
  2167.      * If the length is negative, the empty string is returned.
  2168.      * If insufficient characters are available in the builder, as much as possible is returned.
  2169.      * Thus the returned string may be shorter than the length requested.
  2170.      *
  2171.      * @param index  the index to start at, negative means zero
  2172.      * @param length  the number of characters to extract, negative returns empty string
  2173.      * @return the new string
  2174.      */
  2175.     public String midString(int index, final int length) {
  2176.         if (index < 0) {
  2177.             index = 0;
  2178.         }
  2179.         if (length <= 0 || index >= size) {
  2180.             return "";
  2181.         }
  2182.         if (size <= index + length) {
  2183.             return new String(buffer, index, size - index);
  2184.         }
  2185.         return new String(buffer, index, length);
  2186.     }

  2187.     //-----------------------------------------------------------------------
  2188.     /**
  2189.      * Checks if the string builder contains the specified char.
  2190.      *
  2191.      * @param ch  the character to find
  2192.      * @return true if the builder contains the character
  2193.      */
  2194.     public boolean contains(final char ch) {
  2195.         final char[] thisBuf = buffer;
  2196.         for (int i = 0; i < this.size; i++) {
  2197.             if (thisBuf[i] == ch) {
  2198.                 return true;
  2199.             }
  2200.         }
  2201.         return false;
  2202.     }

  2203.     /**
  2204.      * Checks if the string builder contains the specified string.
  2205.      *
  2206.      * @param str  the string to find
  2207.      * @return true if the builder contains the string
  2208.      */
  2209.     public boolean contains(final String str) {
  2210.         return indexOf(str, 0) >= 0;
  2211.     }

  2212.     /**
  2213.      * Checks if the string builder contains a string matched using the
  2214.      * specified matcher.
  2215.      * <p>
  2216.      * Matchers can be used to perform advanced searching behaviour.
  2217.      * For example you could write a matcher to search for the character
  2218.      * 'a' followed by a number.
  2219.      *
  2220.      * @param matcher  the matcher to use, null returns -1
  2221.      * @return true if the matcher finds a match in the builder
  2222.      */
  2223.     public boolean contains(final StrMatcher matcher) {
  2224.         return indexOf(matcher, 0) >= 0;
  2225.     }

  2226.     //-----------------------------------------------------------------------
  2227.     /**
  2228.      * Searches the string builder to find the first reference to the specified char.
  2229.      *
  2230.      * @param ch  the character to find
  2231.      * @return the first index of the character, or -1 if not found
  2232.      */
  2233.     public int indexOf(final char ch) {
  2234.         return indexOf(ch, 0);
  2235.     }

  2236.     /**
  2237.      * Searches the string builder to find the first reference to the specified char.
  2238.      *
  2239.      * @param ch  the character to find
  2240.      * @param startIndex  the index to start at, invalid index rounded to edge
  2241.      * @return the first index of the character, or -1 if not found
  2242.      */
  2243.     public int indexOf(final char ch, int startIndex) {
  2244.         startIndex = (startIndex < 0 ? 0 : startIndex);
  2245.         if (startIndex >= size) {
  2246.             return -1;
  2247.         }
  2248.         final char[] thisBuf = buffer;
  2249.         for (int i = startIndex; i < size; i++) {
  2250.             if (thisBuf[i] == ch) {
  2251.                 return i;
  2252.             }
  2253.         }
  2254.         return -1;
  2255.     }

  2256.     /**
  2257.      * Searches the string builder to find the first reference to the specified string.
  2258.      * <p>
  2259.      * Note that a null input string will return -1, whereas the JDK throws an exception.
  2260.      *
  2261.      * @param str  the string to find, null returns -1
  2262.      * @return the first index of the string, or -1 if not found
  2263.      */
  2264.     public int indexOf(final String str) {
  2265.         return indexOf(str, 0);
  2266.     }

  2267.     /**
  2268.      * Searches the string builder to find the first reference to the specified
  2269.      * string starting searching from the given index.
  2270.      * <p>
  2271.      * Note that a null input string will return -1, whereas the JDK throws an exception.
  2272.      *
  2273.      * @param str  the string to find, null returns -1
  2274.      * @param startIndex  the index to start at, invalid index rounded to edge
  2275.      * @return the first index of the string, or -1 if not found
  2276.      */
  2277.     public int indexOf(final String str, int startIndex) {
  2278.         startIndex = (startIndex < 0 ? 0 : startIndex);
  2279.         if (str == null || startIndex >= size) {
  2280.             return -1;
  2281.         }
  2282.         final int strLen = str.length();
  2283.         if (strLen == 1) {
  2284.             return indexOf(str.charAt(0), startIndex);
  2285.         }
  2286.         if (strLen == 0) {
  2287.             return startIndex;
  2288.         }
  2289.         if (strLen > size) {
  2290.             return -1;
  2291.         }
  2292.         final char[] thisBuf = buffer;
  2293.         final int len = size - strLen + 1;
  2294.         outer:
  2295.         for (int i = startIndex; i < len; i++) {
  2296.             for (int j = 0; j < strLen; j++) {
  2297.                 if (str.charAt(j) != thisBuf[i + j]) {
  2298.                     continue outer;
  2299.                 }
  2300.             }
  2301.             return i;
  2302.         }
  2303.         return -1;
  2304.     }

  2305.     /**
  2306.      * Searches the string builder using the matcher to find the first match.
  2307.      * <p>
  2308.      * Matchers can be used to perform advanced searching behaviour.
  2309.      * For example you could write a matcher to find the character 'a'
  2310.      * followed by a number.
  2311.      *
  2312.      * @param matcher  the matcher to use, null returns -1
  2313.      * @return the first index matched, or -1 if not found
  2314.      */
  2315.     public int indexOf(final StrMatcher matcher) {
  2316.         return indexOf(matcher, 0);
  2317.     }

  2318.     /**
  2319.      * Searches the string builder using the matcher to find the first
  2320.      * match searching from the given index.
  2321.      * <p>
  2322.      * Matchers can be used to perform advanced searching behaviour.
  2323.      * For example you could write a matcher to find the character 'a'
  2324.      * followed by a number.
  2325.      *
  2326.      * @param matcher  the matcher to use, null returns -1
  2327.      * @param startIndex  the index to start at, invalid index rounded to edge
  2328.      * @return the first index matched, or -1 if not found
  2329.      */
  2330.     public int indexOf(final StrMatcher matcher, int startIndex) {
  2331.         startIndex = (startIndex < 0 ? 0 : startIndex);
  2332.         if (matcher == null || startIndex >= size) {
  2333.             return -1;
  2334.         }
  2335.         final int len = size;
  2336.         final char[] buf = buffer;
  2337.         for (int i = startIndex; i < len; i++) {
  2338.             if (matcher.isMatch(buf, i, startIndex, len) > 0) {
  2339.                 return i;
  2340.             }
  2341.         }
  2342.         return -1;
  2343.     }

  2344.     //-----------------------------------------------------------------------
  2345.     /**
  2346.      * Searches the string builder to find the last reference to the specified char.
  2347.      *
  2348.      * @param ch  the character to find
  2349.      * @return the last index of the character, or -1 if not found
  2350.      */
  2351.     public int lastIndexOf(final char ch) {
  2352.         return lastIndexOf(ch, size - 1);
  2353.     }

  2354.     /**
  2355.      * Searches the string builder to find the last reference to the specified char.
  2356.      *
  2357.      * @param ch  the character to find
  2358.      * @param startIndex  the index to start at, invalid index rounded to edge
  2359.      * @return the last index of the character, or -1 if not found
  2360.      */
  2361.     public int lastIndexOf(final char ch, int startIndex) {
  2362.         startIndex = (startIndex >= size ? size - 1 : startIndex);
  2363.         if (startIndex < 0) {
  2364.             return -1;
  2365.         }
  2366.         for (int i = startIndex; i >= 0; i--) {
  2367.             if (buffer[i] == ch) {
  2368.                 return i;
  2369.             }
  2370.         }
  2371.         return -1;
  2372.     }

  2373.     /**
  2374.      * Searches the string builder to find the last reference to the specified string.
  2375.      * <p>
  2376.      * Note that a null input string will return -1, whereas the JDK throws an exception.
  2377.      *
  2378.      * @param str  the string to find, null returns -1
  2379.      * @return the last index of the string, or -1 if not found
  2380.      */
  2381.     public int lastIndexOf(final String str) {
  2382.         return lastIndexOf(str, size - 1);
  2383.     }

  2384.     /**
  2385.      * Searches the string builder to find the last reference to the specified
  2386.      * string starting searching from the given index.
  2387.      * <p>
  2388.      * Note that a null input string will return -1, whereas the JDK throws an exception.
  2389.      *
  2390.      * @param str  the string to find, null returns -1
  2391.      * @param startIndex  the index to start at, invalid index rounded to edge
  2392.      * @return the last index of the string, or -1 if not found
  2393.      */
  2394.     public int lastIndexOf(final String str, int startIndex) {
  2395.         startIndex = (startIndex >= size ? size - 1 : startIndex);
  2396.         if (str == null || startIndex < 0) {
  2397.             return -1;
  2398.         }
  2399.         final int strLen = str.length();
  2400.         if (strLen > 0 && strLen <= size) {
  2401.             if (strLen == 1) {
  2402.                 return lastIndexOf(str.charAt(0), startIndex);
  2403.             }

  2404.             outer:
  2405.             for (int i = startIndex - strLen + 1; i >= 0; i--) {
  2406.                 for (int j = 0; j < strLen; j++) {
  2407.                     if (str.charAt(j) != buffer[i + j]) {
  2408.                         continue outer;
  2409.                     }
  2410.                 }
  2411.                 return i;
  2412.             }

  2413.         } else if (strLen == 0) {
  2414.             return startIndex;
  2415.         }
  2416.         return -1;
  2417.     }

  2418.     /**
  2419.      * Searches the string builder using the matcher to find the last match.
  2420.      * <p>
  2421.      * Matchers can be used to perform advanced searching behaviour.
  2422.      * For example you could write a matcher to find the character 'a'
  2423.      * followed by a number.
  2424.      *
  2425.      * @param matcher  the matcher to use, null returns -1
  2426.      * @return the last index matched, or -1 if not found
  2427.      */
  2428.     public int lastIndexOf(final StrMatcher matcher) {
  2429.         return lastIndexOf(matcher, size);
  2430.     }

  2431.     /**
  2432.      * Searches the string builder using the matcher to find the last
  2433.      * match searching from the given index.
  2434.      * <p>
  2435.      * Matchers can be used to perform advanced searching behaviour.
  2436.      * For example you could write a matcher to find the character 'a'
  2437.      * followed by a number.
  2438.      *
  2439.      * @param matcher  the matcher to use, null returns -1
  2440.      * @param startIndex  the index to start at, invalid index rounded to edge
  2441.      * @return the last index matched, or -1 if not found
  2442.      */
  2443.     public int lastIndexOf(final StrMatcher matcher, int startIndex) {
  2444.         startIndex = (startIndex >= size ? size - 1 : startIndex);
  2445.         if (matcher == null || startIndex < 0) {
  2446.             return -1;
  2447.         }
  2448.         final char[] buf = buffer;
  2449.         final int endIndex = startIndex + 1;
  2450.         for (int i = startIndex; i >= 0; i--) {
  2451.             if (matcher.isMatch(buf, i, 0, endIndex) > 0) {
  2452.                 return i;
  2453.             }
  2454.         }
  2455.         return -1;
  2456.     }

  2457.     //-----------------------------------------------------------------------
  2458.     /**
  2459.      * Creates a tokenizer that can tokenize the contents of this builder.
  2460.      * <p>
  2461.      * This method allows the contents of this builder to be tokenized.
  2462.      * The tokenizer will be setup by default to tokenize on space, tab,
  2463.      * newline and formfeed (as per StringTokenizer). These values can be
  2464.      * changed on the tokenizer class, before retrieving the tokens.
  2465.      * <p>
  2466.      * The returned tokenizer is linked to this builder. You may intermix
  2467.      * calls to the buider and tokenizer within certain limits, however
  2468.      * there is no synchronization. Once the tokenizer has been used once,
  2469.      * it must be {@link StrTokenizer#reset() reset} to pickup the latest
  2470.      * changes in the builder. For example:
  2471.      * <pre>
  2472.      * StrBuilder b = new StrBuilder();
  2473.      * b.append("a b ");
  2474.      * StrTokenizer t = b.asTokenizer();
  2475.      * String[] tokens1 = t.getTokenArray();  // returns a,b
  2476.      * b.append("c d ");
  2477.      * String[] tokens2 = t.getTokenArray();  // returns a,b (c and d ignored)
  2478.      * t.reset();              // reset causes builder changes to be picked up
  2479.      * String[] tokens3 = t.getTokenArray();  // returns a,b,c,d
  2480.      * </pre>
  2481.      * In addition to simply intermixing appends and tokenization, you can also
  2482.      * call the set methods on the tokenizer to alter how it tokenizes. Just
  2483.      * remember to call reset when you want to pickup builder changes.
  2484.      * <p>
  2485.      * Calling {@link StrTokenizer#reset(String)} or {@link StrTokenizer#reset(char[])}
  2486.      * with a non-null value will break the link with the builder.
  2487.      *
  2488.      * @return a tokenizer that is linked to this builder
  2489.      */
  2490.     public StrTokenizer asTokenizer() {
  2491.         return new StrBuilderTokenizer();
  2492.     }

  2493.     //-----------------------------------------------------------------------
  2494.     /**
  2495.      * Gets the contents of this builder as a Reader.
  2496.      * <p>
  2497.      * This method allows the contents of the builder to be read
  2498.      * using any standard method that expects a Reader.
  2499.      * <p>
  2500.      * To use, simply create a <code>StrBuilder</code>, populate it with
  2501.      * data, call <code>asReader</code>, and then read away.
  2502.      * <p>
  2503.      * The internal character array is shared between the builder and the reader.
  2504.      * This allows you to append to the builder after creating the reader,
  2505.      * and the changes will be picked up.
  2506.      * Note however, that no synchronization occurs, so you must perform
  2507.      * all operations with the builder and the reader in one thread.
  2508.      * <p>
  2509.      * The returned reader supports marking, and ignores the flush method.
  2510.      *
  2511.      * @return a reader that reads from this builder
  2512.      */
  2513.     public Reader asReader() {
  2514.         return new StrBuilderReader();
  2515.     }

  2516.     //-----------------------------------------------------------------------
  2517.     /**
  2518.      * Gets this builder as a Writer that can be written to.
  2519.      * <p>
  2520.      * This method allows you to populate the contents of the builder
  2521.      * using any standard method that takes a Writer.
  2522.      * <p>
  2523.      * To use, simply create a <code>StrBuilder</code>,
  2524.      * call <code>asWriter</code>, and populate away. The data is available
  2525.      * at any time using the methods of the <code>StrBuilder</code>.
  2526.      * <p>
  2527.      * The internal character array is shared between the builder and the writer.
  2528.      * This allows you to intermix calls that append to the builder and
  2529.      * write using the writer and the changes will be occur correctly.
  2530.      * Note however, that no synchronization occurs, so you must perform
  2531.      * all operations with the builder and the writer in one thread.
  2532.      * <p>
  2533.      * The returned writer ignores the close and flush methods.
  2534.      *
  2535.      * @return a writer that populates this builder
  2536.      */
  2537.     public Writer asWriter() {
  2538.         return new StrBuilderWriter();
  2539.     }

  2540.     /**
  2541.      * Appends current contents of this <code>StrBuilder</code> to the
  2542.      * provided {@link Appendable}.
  2543.      * <p>
  2544.      * This method tries to avoid doing any extra copies of contents.
  2545.      *
  2546.      * @param appendable  the appendable to append data to
  2547.      * @throws IOException  if an I/O error occurs
  2548.      *
  2549.      * @see #readFrom(Readable)
  2550.      */
  2551.     public void appendTo(final Appendable appendable) throws IOException {
  2552.         if (appendable instanceof Writer) {
  2553.             ((Writer) appendable).write(buffer, 0, size);
  2554.         } else if (appendable instanceof StringBuilder) {
  2555.             ((StringBuilder) appendable).append(buffer, 0, size);
  2556.         } else if (appendable instanceof StringBuffer) {
  2557.             ((StringBuffer) appendable).append(buffer, 0, size);
  2558.         } else if (appendable instanceof CharBuffer) {
  2559.             ((CharBuffer) appendable).put(buffer, 0, size);
  2560.         } else {
  2561.             appendable.append(this);
  2562.         }
  2563.     }

  2564.     //-----------------------------------------------------------------------
  2565. //    /**
  2566. //     * Gets a String version of the string builder by calling the internal
  2567. //     * constructor of String by reflection.
  2568. //     * <p>
  2569. //     * WARNING: You must not use the StrBuilder after calling this method
  2570. //     * as the buffer is now shared with the String object. To ensure this,
  2571. //     * the internal character array is set to null, so you will get
  2572. //     * NullPointerExceptions on all method calls.
  2573. //     *
  2574. //     * @return the builder as a String
  2575. //     */
  2576. //    public String toSharedString() {
  2577. //        try {
  2578. //            Constructor con = String.class.getDeclaredConstructor(
  2579. //                new Class[] {int.class, int.class, char[].class});
  2580. //            con.setAccessible(true);
  2581. //            char[] buffer = buf;
  2582. //            buf = null;
  2583. //            size = -1;
  2584. //            nullText = null;
  2585. //            return (String) con.newInstance(
  2586. //                new Object[] {Integer.valueOf(0), Integer.valueOf(size), buffer});
  2587. //            
  2588. //        } catch (Exception ex) {
  2589. //            ex.printStackTrace();
  2590. //            throw new UnsupportedOperationException("StrBuilder.toSharedString is unsupported: " + ex.getMessage());
  2591. //        }
  2592. //    }

  2593.     //-----------------------------------------------------------------------
  2594.     /**
  2595.      * Checks the contents of this builder against another to see if they
  2596.      * contain the same character content ignoring case.
  2597.      *
  2598.      * @param other  the object to check, null returns false
  2599.      * @return true if the builders contain the same characters in the same order
  2600.      */
  2601.     public boolean equalsIgnoreCase(final StrBuilder other) {
  2602.         if (this == other) {
  2603.             return true;
  2604.         }
  2605.         if (this.size != other.size) {
  2606.             return false;
  2607.         }
  2608.         final char thisBuf[] = this.buffer;
  2609.         final char otherBuf[] = other.buffer;
  2610.         for (int i = size - 1; i >= 0; i--) {
  2611.             final char c1 = thisBuf[i];
  2612.             final char c2 = otherBuf[i];
  2613.             if (c1 != c2 && Character.toUpperCase(c1) != Character.toUpperCase(c2)) {
  2614.                 return false;
  2615.             }
  2616.         }
  2617.         return true;
  2618.     }

  2619.     /**
  2620.      * Checks the contents of this builder against another to see if they
  2621.      * contain the same character content.
  2622.      *
  2623.      * @param other  the object to check, null returns false
  2624.      * @return true if the builders contain the same characters in the same order
  2625.      */
  2626.     public boolean equals(final StrBuilder other) {
  2627.         if (this == other) {
  2628.             return true;
  2629.         }
  2630.         if (other == null) {
  2631.             return false;
  2632.         }
  2633.         if (this.size != other.size) {
  2634.             return false;
  2635.         }
  2636.         final char thisBuf[] = this.buffer;
  2637.         final char otherBuf[] = other.buffer;
  2638.         for (int i = size - 1; i >= 0; i--) {
  2639.             if (thisBuf[i] != otherBuf[i]) {
  2640.                 return false;
  2641.             }
  2642.         }
  2643.         return true;
  2644.     }

  2645.     /**
  2646.      * Checks the contents of this builder against another to see if they
  2647.      * contain the same character content.
  2648.      *
  2649.      * @param obj  the object to check, null returns false
  2650.      * @return true if the builders contain the same characters in the same order
  2651.      */
  2652.     @Override
  2653.     public boolean equals(final Object obj) {
  2654.         return obj instanceof StrBuilder
  2655.                 && equals((StrBuilder) obj);
  2656.     }

  2657.     /**
  2658.      * Gets a suitable hash code for this builder.
  2659.      *
  2660.      * @return a hash code
  2661.      */
  2662.     @Override
  2663.     public int hashCode() {
  2664.         final char buf[] = buffer;
  2665.         int hash = 0;
  2666.         for (int i = size - 1; i >= 0; i--) {
  2667.             hash = 31 * hash + buf[i];
  2668.         }
  2669.         return hash;
  2670.     }

  2671.     //-----------------------------------------------------------------------
  2672.     /**
  2673.      * Gets a String version of the string builder, creating a new instance
  2674.      * each time the method is called.
  2675.      * <p>
  2676.      * Note that unlike StringBuffer, the string version returned is
  2677.      * independent of the string builder.
  2678.      *
  2679.      * @return the builder as a String
  2680.      */
  2681.     @Override
  2682.     public String toString() {
  2683.         return new String(buffer, 0, size);
  2684.     }

  2685.     /**
  2686.      * Gets a StringBuffer version of the string builder, creating a
  2687.      * new instance each time the method is called.
  2688.      *
  2689.      * @return the builder as a StringBuffer
  2690.      */
  2691.     public StringBuffer toStringBuffer() {
  2692.         return new StringBuffer(size).append(buffer, 0, size);
  2693.     }

  2694.     /**
  2695.      * Gets a StringBuilder version of the string builder, creating a
  2696.      * new instance each time the method is called.
  2697.      *
  2698.      * @return the builder as a StringBuilder
  2699.      */
  2700.     public StringBuilder toStringBuilder() {
  2701.         return new StringBuilder(size).append(buffer, 0, size);
  2702.     }

  2703.     /**
  2704.      * Implement the {@link Builder} interface.
  2705.      * @return the builder as a String
  2706.      * @see #toString()
  2707.      */
  2708.     @Override
  2709.     public String build() {
  2710.         return toString();
  2711.     }

  2712.     //-----------------------------------------------------------------------
  2713.     /**
  2714.      * Validates parameters defining a range of the builder.
  2715.      *
  2716.      * @param startIndex  the start index, inclusive, must be valid
  2717.      * @param endIndex  the end index, exclusive, must be valid except
  2718.      *  that if too large it is treated as end of string
  2719.      * @return the new string
  2720.      * @throws IndexOutOfBoundsException if the index is invalid
  2721.      */
  2722.     protected int validateRange(final int startIndex, int endIndex) {
  2723.         if (startIndex < 0) {
  2724.             throw new StringIndexOutOfBoundsException(startIndex);
  2725.         }
  2726.         if (endIndex > size) {
  2727.             endIndex = size;
  2728.         }
  2729.         if (startIndex > endIndex) {
  2730.             throw new StringIndexOutOfBoundsException("end < start");
  2731.         }
  2732.         return endIndex;
  2733.     }

  2734.     /**
  2735.      * Validates parameters defining a single index in the builder.
  2736.      *
  2737.      * @param index  the index, must be valid
  2738.      * @throws IndexOutOfBoundsException if the index is invalid
  2739.      */
  2740.     protected void validateIndex(final int index) {
  2741.         if (index < 0 || index > size) {
  2742.             throw new StringIndexOutOfBoundsException(index);
  2743.         }
  2744.     }

  2745.     //-----------------------------------------------------------------------
  2746.     /**
  2747.      * Inner class to allow StrBuilder to operate as a tokenizer.
  2748.      */
  2749.     class StrBuilderTokenizer extends StrTokenizer {

  2750.         /**
  2751.          * Default constructor.
  2752.          */
  2753.         StrBuilderTokenizer() {
  2754.             super();
  2755.         }

  2756.         /** {@inheritDoc} */
  2757.         @Override
  2758.         protected List<String> tokenize(final char[] chars, final int offset, final int count) {
  2759.             if (chars == null) {
  2760.                 return super.tokenize(
  2761.                         StrBuilder.this.buffer, 0, StrBuilder.this.size());
  2762.             }
  2763.             return super.tokenize(chars, offset, count);
  2764.         }

  2765.         /** {@inheritDoc} */
  2766.         @Override
  2767.         public String getContent() {
  2768.             final String str = super.getContent();
  2769.             if (str == null) {
  2770.                 return StrBuilder.this.toString();
  2771.             }
  2772.             return str;
  2773.         }
  2774.     }

  2775.     //-----------------------------------------------------------------------
  2776.     /**
  2777.      * Inner class to allow StrBuilder to operate as a reader.
  2778.      */
  2779.     class StrBuilderReader extends Reader {
  2780.         /** The current stream position. */
  2781.         private int pos;
  2782.         /** The last mark position. */
  2783.         private int mark;

  2784.         /**
  2785.          * Default constructor.
  2786.          */
  2787.         StrBuilderReader() {
  2788.             super();
  2789.         }

  2790.         /** {@inheritDoc} */
  2791.         @Override
  2792.         public void close() {
  2793.             // do nothing
  2794.         }

  2795.         /** {@inheritDoc} */
  2796.         @Override
  2797.         public int read() {
  2798.             if (ready() == false) {
  2799.                 return -1;
  2800.             }
  2801.             return StrBuilder.this.charAt(pos++);
  2802.         }

  2803.         /** {@inheritDoc} */
  2804.         @Override
  2805.         public int read(final char b[], final int off, int len) {
  2806.             if (off < 0 || len < 0 || off > b.length ||
  2807.                     (off + len) > b.length || (off + len) < 0) {
  2808.                 throw new IndexOutOfBoundsException();
  2809.             }
  2810.             if (len == 0) {
  2811.                 return 0;
  2812.             }
  2813.             if (pos >= StrBuilder.this.size()) {
  2814.                 return -1;
  2815.             }
  2816.             if (pos + len > size()) {
  2817.                 len = StrBuilder.this.size() - pos;
  2818.             }
  2819.             StrBuilder.this.getChars(pos, pos + len, b, off);
  2820.             pos += len;
  2821.             return len;
  2822.         }

  2823.         /** {@inheritDoc} */
  2824.         @Override
  2825.         public long skip(long n) {
  2826.             if (pos + n > StrBuilder.this.size()) {
  2827.                 n = StrBuilder.this.size() - pos;
  2828.             }
  2829.             if (n < 0) {
  2830.                 return 0;
  2831.             }
  2832.             pos += n;
  2833.             return n;
  2834.         }

  2835.         /** {@inheritDoc} */
  2836.         @Override
  2837.         public boolean ready() {
  2838.             return pos < StrBuilder.this.size();
  2839.         }

  2840.         /** {@inheritDoc} */
  2841.         @Override
  2842.         public boolean markSupported() {
  2843.             return true;
  2844.         }

  2845.         /** {@inheritDoc} */
  2846.         @Override
  2847.         public void mark(final int readAheadLimit) {
  2848.             mark = pos;
  2849.         }

  2850.         /** {@inheritDoc} */
  2851.         @Override
  2852.         public void reset() {
  2853.             pos = mark;
  2854.         }
  2855.     }

  2856.     //-----------------------------------------------------------------------
  2857.     /**
  2858.      * Inner class to allow StrBuilder to operate as a writer.
  2859.      */
  2860.     class StrBuilderWriter extends Writer {

  2861.         /**
  2862.          * Default constructor.
  2863.          */
  2864.         StrBuilderWriter() {
  2865.             super();
  2866.         }

  2867.         /** {@inheritDoc} */
  2868.         @Override
  2869.         public void close() {
  2870.             // do nothing
  2871.         }

  2872.         /** {@inheritDoc} */
  2873.         @Override
  2874.         public void flush() {
  2875.             // do nothing
  2876.         }

  2877.         /** {@inheritDoc} */
  2878.         @Override
  2879.         public void write(final int c) {
  2880.             StrBuilder.this.append((char) c);
  2881.         }

  2882.         /** {@inheritDoc} */
  2883.         @Override
  2884.         public void write(final char[] cbuf) {
  2885.             StrBuilder.this.append(cbuf);
  2886.         }

  2887.         /** {@inheritDoc} */
  2888.         @Override
  2889.         public void write(final char[] cbuf, final int off, final int len) {
  2890.             StrBuilder.this.append(cbuf, off, len);
  2891.         }

  2892.         /** {@inheritDoc} */
  2893.         @Override
  2894.         public void write(final String str) {
  2895.             StrBuilder.this.append(str);
  2896.         }

  2897.         /** {@inheritDoc} */
  2898.         @Override
  2899.         public void write(final String str, final int off, final int len) {
  2900.             StrBuilder.this.append(str, off, len);
  2901.         }
  2902.     }

  2903. }