在Java中,正則表達式默認是貪婪匹配的,這意味著它會盡可能多地匹配字符。要實現非貪婪匹配,你需要在量詞(如*
、+
、?
)后面添加一個問號?
,這樣它就會盡可能少地匹配字符。
以下是一個簡單的例子,展示了如何使用非貪婪匹配來匹配字符串中的數字:
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class NonGreedyMatching {
public static void main(String[] args) {
String input = "The price of the item is $12.34.";
String regex = "\\$(\\d+\\.\\d{2})";
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher(input);
if (matcher.find()) {
System.out.println("Found: " + matcher.group(1)); // 輸出: Found: 12.34
} else {
System.out.println("No match found.");
}
}
}
在這個例子中,我們使用了非貪婪匹配來捕獲小數點后的兩位數字。正則表達式\\$(\\d+\\.\\d{2})
中的\\d+\\.\\d{2}
表示匹配一個數字、一個小數點和兩個數字。通過在\\d+
后面添加一個問號?
,我們使其成為非貪婪匹配,因此它將匹配盡可能少的數字。