Java: Find index of first Regex
You could use a regex with a negative lookbehind:
(?<!a)bc
Unfortunately to reproduce .indexOf
with Regex in Java is still a mess:
Pattern pattern = Pattern.compile("(?!a)bc");
Matcher matcher = pattern.matcher("abc xbc");
if (matcher.find()) {
return matcher.start();
}
As requested a more complete solution:
/** @return index of pattern in s or -1, if not found */
public static int indexOf(Pattern pattern, String s) {
Matcher matcher = pattern.matcher(s);
return matcher.find() ? matcher.start() : -1;
}
call:
int index = indexOf(Pattern.compile("(?<!a)bc"), "abc xbc");
Use regex to find the String that matches your criteria, and then find the index of that String.
int index = -1;
Pattern p = Pattern.compile("[^Aa]?bc");
Matcher m = p.matcher(string);
if (m.find()) {
index = m.start();
}
Something like this. Where 'string' is the text you're searching and 'index' holds the location of the string that is found. (index will be -1 if not found.) Also note that the pattern is case sensitive unless you set a flag.