在 Java 中解析字符串
本教程说明了如何使用各种方法来解析 Java 中的字符串。解析是获取字符串并对其进行处理以提取信息的过程。
使用 split
方法来解析 Java 中的字符串
String
类的 split()
方法通过拆分源字符串来保持原始字符串不变,并返回原始字符串的子字符串数组。此方法有两个变体。
split(String regex)
方法采用字符串类型的正则表达式作为参数,并在正则表达式的匹配项附近拆分字符串。如果正则表达式与原始字符串的任何部分都不匹配,它将返回一个包含一个元素的数组:源字符串。
split(String regex, int limit)
方法的工作原理相同,但是采用 limit
,这意味着要返回多少个字符串。如果限制为负,则当限制为 0 时,返回的数组可以包含尽可能多的子字符串。该数组将包含所有子字符串,但尾随的空字符串除外。
public class StringTest {
public static void main(String args []){
String source1 = "March032021";
String [] returnedArray1 = source1.split("\\d+");
for(String str1 : returnedArray1){
System.out.println(" Output1 : "+str1);
}
String source2 = "950-003-123-900-456 : 11 _343-1 789----";
String [] returnedArray2 = source2.split("-",4);
for(String str2 : returnedArray2){
System.out.println(" Output2 : "+str2);
}
}
}
输出:
Output1 : March
Output2 : 705
Output2 : 103
Output2 : 102
Output2 : 456-123 : 112 _343-1 789----
使用 Scanner
解析 Java 中的字符串
Scanner
通常用于使用正则表达式解析基本类型和字符串。它使用定界符模式将输入分为令牌,定界符模式是默认匹配的空白。
我们使用指定的字符串对象创建一个 Scanner
。Scanner
类的 useDelimiter()
方法用于设置定界符模式。我们可以传递 Pattern
对象或字符串作为模式。要获取字符串的所有标记,我们使用 hasNext()
方法遍历标记并打印输出。
import java.util.Scanner;
public class StringTest {
public static void main (String args[]){
String text = "John Evans was born on 25-08-1980";
Scanner scanner = new Scanner(text);
scanner.useDelimiter("born");
while (scanner.hasNext()){
System.out.println("Output is : "+scanner.next());
}
}
}
输出:
Output is : John Evans was
Output is : on 25-08-1980
使用 StringUtils
解析 Java 中的字符串
Apache Commons StringUtils
类提供了有助于轻松使用 Strings 的工具。下面给出了添加该库的 Maven 依赖关系。
<!-- https://mvnrepository.com/artifact/org.apache.commons/commons-lang3 -->
<dependency>
<groupId>org.apache.commons</groupId>
<artifactId>commons-lang3</artifactId>
<version>3.11</version>
</dependency>
我们使用 StringUtils
类的 substringBetween(String str, String open, String close)
方法来解析给定的字符串。此方法提取嵌套在两个字符串之间的子字符串。
import org.apache.commons.lang3.StringUtils;
public class StringTest {
public static void main(String args[]) {
String source = "The crazy brown dog jumps over the fence";
String[] stringArray = StringUtils.substringsBetween(source, "crazy", "over");
for (String s : stringArray) {
System.out.println("Output : " + s);
}
}
}
输出:
Output : brown dog jumps
Rupam Saini is an android developer, who also works sometimes as a web developer., He likes to read books and write about various things.
LinkedIn