Java 11 已發佈,String 還能這樣玩!

在文章《Java 11 正式發佈,這 8 個逆天新特性教你寫出更牛逼的代碼》中,我有介紹到 Java 11 的八個新特性,其中關於 String 增強部分,我以爲有點意思,這裏單獨再拉出來說。java

Java 11 增長了一系列的字符串處理方法,如如下所示。apache

// 判斷字符串是否爲空白
" ".isBlank();                // true

// 去除首尾空格
" Javastack ".strip();          // "Javastack"

// 去除尾部空格 
" Javastack ".stripTrailing();  // " Javastack"

// 去除首部空格 
" Javastack ".stripLeading();   // "Javastack "

// 複製字符串
"Java".repeat(3);             // "JavaJavaJava"

// 行數統計
"A\nB\nC".lines().count();    // 3

最有意思的是 repeatlines 方法了,來看下還能怎麼玩!工具

repeat

repeat 方法的做用就是重複一個字符串 N 遍,能夠用來代替工具類:org.apache.commons.lang3.StringUtils#repeat(java.lang.String, int),來看下 repeat 的源碼。this

public String repeat(int count) {
    if (count < 0) {
        throw new IllegalArgumentException("count is negative: " + count);
    }
    if (count == 1) {
        return this;
    }
    final int len = value.length;
    if (len == 0 || count == 0) {
        return "";
    }
    if (len == 1) {
        final byte[] single = new byte[count];
        Arrays.fill(single, value[0]);
        return new String(single, coder);
    }
    if (Integer.MAX_VALUE / count < len) {
        throw new OutOfMemoryError("Repeating " + len + " bytes String " + count +
                " times will produce a String exceeding maximum size.");
    }
    final int limit = len * count;
    final byte[] multiple = new byte[limit];
    System.arraycopy(value, 0, multiple, 0, len);
    int copied = len;
    for (; copied < limit - copied; copied <<= 1) {
        System.arraycopy(multiple, 0, multiple, copied, copied);
    }
    System.arraycopy(multiple, 0, multiple, copied, limit - copied);
    return new String(multiple, coder);
}

來看下更多的用法。code

String str = "Java";

// 小於0:java.lang.IllegalArgumentException
System.out.println(str.repeat(-2));

// 等於0:空白串("")
System.out.println(str.repeat(0));

// JavaJavaJava
System.out.println(str.repeat(3));

// java.lang.OutOfMemoryError
System.out.println(str.repeat(Integer.MAX_VALUE));

因此說 repeat 並非能夠無限增加的,有使用限制的,達到必定量就會報內存溢出異常。ip

lines

public Stream<String> lines() {
    return isLatin1() ? StringLatin1.lines(value)
                      : StringUTF16.lines(value);
}

lines 方法返回一個字符串 Stream, 能夠識別 \n\r 換行符換行。內存

// 4
System.out.println("A\nB\nC\rD".lines().count());

是否是很好?在未來確定有武之地!如批量讀取文件內容到一個 Stream 中,就能很好的識別行結束符了。字符串

本文原創首發於公衆號:Java技術棧(id:javastack),關注公衆號在後臺回覆 "新特性" 可獲取更多,轉載請原樣保留本信息。get

相關文章
相關標籤/搜索