package sy1;
public class ViolenceMatch {
public static void main(String[] args) {
String str1 = "AAB AAABBB AABBXX";
String str2 = "AABBXX";
int index = violenceMatch(str1, str2);
System.out.println("index=" + index);
}
public static int violenceMatch(String str1, String str2) {
char[] s1 = str1.toCharArray();
char[] s2 = str2.toCharArray();
int s1Len = s1.length;
int s2Len = s2.length;
int i = 0; // i索引指向s1
int j = 0; // j索引指向s2
while (i < s1Len && j < s2Len) {
if (s1[i] == s2[j]) { //找到
i++;
j++;
} else { //s1[i]!=s2[j]
i = i - (j - 1);
j = 0;
}
}
if (j == s2Len) {
return i - j;
} else {
return -1;
}
}
}