您的位置:

Java中substring用法详解

一、什么是substring方法

Java中的substring方法用于从字符串中获取子字符串。它的语法方式为:

public String substring(int beginIndex)
public String substring(int beginIndex, int endIndex)

其中,第一个参数beginIndex表示子字符串的开始位置,第二个参数endIndex表示子字符串的结束位置(注意,不包含endIndex所在的字符)。如果只提供一个参数,则返回从该位置开始到字符串末尾的子字符串。

例如:

String str = "abcdefg";
String newStr1 = str.substring(2);  // newStr1的值为"cdefg"
String newStr2 = str.substring(1, 4);  // newStr2的值为"bcd"

二、关于参数的取值

在使用substring方法时,需要注意参数的取值范围。如果提供的beginIndex小于0或大于等于字符串长度,则会抛出IndexOutOfBoundsException异常;如果提供的endIndex小于beginIndex,则会返回空字符串。

例如:

String str = "abcdefg";
String newStr1 = str.substring(0, -1);  // 会抛出IndexOutOfBoundsException异常
String newStr2 = str.substring(2, 1);  // 返回空字符串

三、使用substring方法的场景

1. 提取字符串的一部分

当需要从一个字符串中提取特定的子字符串时,可以使用substring方法。例如,从一个文件路径中提取文件名:

String filePath = "/root/user/demo.txt";
int index = filePath.lastIndexOf("/");
String fileName = filePath.substring(index + 1);  // fileName的值为"demo.txt"

2. 拼装字符串

当需要按照一定的格式拼装一些字符串时,可以使用substring方法。例如,拼接一个URL:

String protocol = "https";
String host = "www.google.com";
String path = "/search";
String url = protocol + "://" + host + path;
String newUrl = url.substring(0, url.lastIndexOf("/")) + "/image";  // newUrl的值为"https://www.google.com/image"

3. 对字符串进行截断

当字符串过长时,需要对其进行截断显示,可以使用substring方法。例如,显示一行固定长度的日志:

String log = "2021-01-01 12:00:00 [INFO] This is a log message.";
int maxLength = 30;
String displayLog;
if (log.length() > maxLength) {
    displayLog = log.substring(0, maxLength - 3) + "...";
} else {
    displayLog = log;
}
System.out.println(displayLog);  // 输出"2021-01-01 12:00:00 [INFO] T..."

四、总结

Java中的substring方法是一个非常常用的字符串处理方法,可以用来提取子字符串、拼装字符串、截断字符串等。在使用该方法时,需要注意参数的取值范围,以避免抛出异常或获取到不正确的结果。