반응형
정규식을 사용하여 문자열의 패턴 인덱스 가져 오기
특정 패턴에 대한 문자열을 검색하고 싶습니다.
정규식 클래스가 문자열 내 패턴의 위치 (문자열 내 인덱스)를 제공합니까?
패턴이 1 개 이상 발생할 수 있습니다.
실용적인 예가 있습니까?
Matcher 사용 :
public static void printMatches(String text, String regex) {
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher(text);
// Check all occurrences
while (matcher.find()) {
System.out.print("Start index: " + matcher.start());
System.out.print(" End index: " + matcher.end());
System.out.println(" Found: " + matcher.group());
}
}
Jean Logeart의 특별판 답변
public static int[] regExIndex(String pattern, String text, Integer fromIndex){
Matcher matcher = Pattern.compile(pattern).matcher(text);
if ( ( fromIndex != null && matcher.find(fromIndex) ) || matcher.find()) {
return new int[]{matcher.start(), matcher.end()};
}
return new int[]{-1, -1};
}
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class RegexMatches
{
public static void main( String args[] ){
// String to be scanned to find the pattern.
String line = "This order was places for QT3000! OK?";
String pattern = "(.*)(\\d+)(.*)";
// Create a Pattern object
Pattern r = Pattern.compile(pattern);
// Now create matcher object.
Matcher m = r.matcher(line);
if (m.find( )) {
System.out.println("Found value: " + m.group(0) );
System.out.println("Found value: " + m.group(1) );
System.out.println("Found value: " + m.group(2) );
} else {
System.out.println("NO MATCH");
}
}
}
결과
Found value: This order was places for QT3000! OK?
Found value: This order was places for QT300
Found value: 0
참고 URL : https://stackoverflow.com/questions/8938498/get-the-index-of-a-pattern-in-a-string-using-regex
반응형
'programing tip' 카테고리의 다른 글
Maven WAR 종속성 (0) | 2020.10.10 |
---|---|
Java에 "도달 할 수없는 문"컴파일러 오류가있는 이유는 무엇입니까? (0) | 2020.10.10 |
대문자 대 소문자 (0) | 2020.10.10 |
C의 함수에서 여러 값을 반환하려면 어떻게해야합니까? (0) | 2020.10.10 |
node.JS에서 내가로드 한 모듈의 경로를 어떻게 얻을 수 있습니까? (예 : 일부 node_module에서) (0) | 2020.10.10 |