可能重复:
在java中的字符串中查找子字符串的第n次出现?
有没有办法在字符串中获得特定匹配?
如果我们有String test = "this is a long test which is a test of a test";
那么我们可以Matcher
用来获取第二个(或任何特定的)实例test
吗?
我以为我可以使用Matcher.find(x)
,但这似乎不太好用......
可能重复:
在java中的字符串中查找子字符串的第n次出现?
有没有办法在字符串中获得特定匹配?
如果我们有String test = "this is a long test which is a test of a test";
那么我们可以Matcher
用来获取第二个(或任何特定的)实例test
吗?
我以为我可以使用Matcher.find(x)
,但这似乎不太好用......
尝试
int firstIndex = string.indexOf("test");
if (firstIndex >= 0) {
int secondIndex = string.indexOf("test", firstIndex+1);
}
此外,如果您想要第 n 次出现,您可以进行循环:
int nthIndex = -1;
for (int i=0; i<n; i++ ) {
nthIndex = string.indexOf("test", nthIndex +1);
if (nthIndex < 0) {
break;
}
}
这将为您提供 nthIndex,如果未找到,则为 -1。
我认为这个功能可以完成这项工作
int find(String s, String pattern, int occurence) {
Matcher m = Pattern.compile(pattern).matcher(s);
for (int i = 1; m.find(); i++) {
if (i == occurence) {
return m.start();
}
}
throw new RuntimeException();
}
您可以使用indexOf
方法来执行此操作。
String string;
int one = string.indexOf(strToBeSearched);
int two = string.indexOf(strToBeSearched, one+1);
此外,您应该检查是否one
> = 0(如果strToBeSearched
字符串中不存在,indexOf
将返回-1)