题目地址
https://leetcode-cn.com/problems/maximum-repeating-substring/
题目描述
给你一个字符串 sequence ,如果字符串 word 连续重复 k 次形成的字符串是 sequence 的一个子字符串,那么单词 word 的 重复值为 k 。单词 word 的 最大重复值 是单词 word 在 sequence 中最大的重复值。如果 word 不是 sequence 的子串,那么重复值 k 为 0 。
给你一个字符串 sequence 和 word ,请你返回 最大重复值 k 。
示例 1:
输入:sequence = "ababc", word = "ab"
输出:2
解释:"abab" 是 "ababc" 的子字符串。
示例 2:
输入:sequence = "ababc", word = "ba"
输出:1
解释:"ba" 是 "ababc" 的子字符串,但 "baba" 不是 "ababc" 的子字符串。
示例 3:
输入:sequence = "ababc", word = "ac"
输出:0
解释:"ac" 不是 "ababc" 的子字符串。
提示:
1 <= sequence.length <= 100
1 <= word.length <= 100
sequence 和 word 都只包含小写英文字母。
思路
- 暴力法,遍历数组,找字串最大值。
- 利用Java String的contains函数,如果存在字串,就多拼接上一个word,再次看是否有这个字串,如果有,再拼一个word,这样就能找到最大子串。
题解
class Solution {
/**
* 执行用时:1 ms, 在所有 Java 提交中击败了93.63%的用户
* 内存消耗:36.7 MB, 在所有 Java 提交中击败了68.25%的用户
*/
public int maxRepeatingV2(String sequence, String word) {
int count=0;
String tmp=word;
while(sequence.contains(word)){
word+=tmp;
count++;
}
return count;
}
/**
* 执行用时:1 ms, 在所有 Java 提交中击败了93.63%的用户
* 内存消耗:36.6 MB, 在所有 Java 提交中击败了84.65%的用户
*/
public int maxRepeating(String sequence, String word) {
if (sequence.length() == 1 && (sequence.equals(word))) {
return 1;
}
int len = word.length();
int max = 0;
char first = word.charAt(0);
for (int i=0; i<sequence.length(); i++) {
char current = sequence.charAt(i);
if (current != first) {
continue;
}
int rep = 0;
for (int j=i,k=0; j<sequence.length(); j++,k++) {
int pos = k % len;
if (sequence.charAt(j) == word.charAt(pos)) {
if (pos == len - 1) {
rep++;
}
} else {
break;
}
}
max = Math.max(max, rep);
}
return max;
}
}