今日任务
题目 :28. 找出字符串中第一个匹配项的下标
思路
KMP模板题
题解
class Solution {
public int strStr(String haystack, String needle) {
if (needle.length() == 0) {
return 0;
}
int[] next = new int[needle.length()];
getNext(next, needle);
int j = -1;
for (int i = 0; i < haystack.length(); i++ ) {
while (j >= 0 && haystack.charAt(i) != needle.charAt(j + 1)) {
j = next[j];
}
if (haystack.charAt(i) == needle.charAt(j + 1)) {
j++;
}
if (j == needle.length() - 1) {
return (i - needle.length() + 1);
}
}
return -1;
}
public void getNext(int[] next, String s) {
int j = -1;
next[0] = j;
for (int i = 1; i < s.length(); i++ ) {
while (j >= 0 && s.charAt(i) != s.charAt(j + 1)) {
j = next[j];
}
if (s.charAt(i) == s.charAt(j + 1)) {
j++;
}
next[i] = j;
}
}
}
一看排行,还有高手!看看怎么事
奥! 奥~
对吼可以优化
class Solution {
public int strStr(String haystack, String needle) {
int n = haystack.length(), m = needle.length();
if (m == 0) {
return 0;
}
int[] next = new int[m];
for (int i = 1, j = 0; i < m; i++) {
while (j > 0 && needle.charAt(i) != needle.charAt(j)) {
j = next[j - 1];
}
if (needle.charAt(i) == needle.charAt(j)) {
j++;
}
next[i] = j;
}
for (int i = 0, j = 0; i < n; i++) {
while (j > 0 && haystack.charAt(i) != needle.charAt(j)) {
j = next[j - 1];
}
if (haystack.charAt(i) == needle.charAt(j)) {
j++;
}
if (j == m) {
return (i - m + 1);
}
}
return -1;
}
}
题目 :459. 重复的子字符串
思路
虽然是KMP但是怎么判定是否可以重复呢? 循环? 是取余!
题解
class Solution {
public boolean repeatedSubstringPattern(String s) {
if (s.equals("")) return false;
int len = s.length();
// 为了j不减一
s = " " + s;
char[] chars = s.toCharArray();
int[] next = new int[len + 1];
// i 为什么从2 开始? 因为 s 多加了一个前缀。 因此j就是从0开始了
for (int i = 2, j = 0; i <= len; i++ ) {
// 不匹配
while (j > 0 && chars[i] != chars[j +1]) j = next[j];
// 匹配
if (chars[i] == chars[j + 1]) j++;
// 更新next数组
next[i] = j;
}
// 经过分析 如果最后的next数组值 取余 总长为0则说明是重复子串
if (next[len] > 0 && len % (len - next[len]) == 0) {
return true;
}
return false;
}
}
总结
卡哥说的已经很详细了 多看多练才是真