-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy path1668-MaximumRepeatingSubstring.go
More file actions
69 lines (59 loc) · 2.12 KB
/
1668-MaximumRepeatingSubstring.go
File metadata and controls
69 lines (59 loc) · 2.12 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
package main
// 1668. Maximum Repeating Substring
// For a string sequence, a string word is k-repeating if word concatenated k times is a substring of sequence.
// The word's maximum k-repeating value is the highest value k where word is k-repeating in sequence.
// If word is not a substring of sequence, word's maximum k-repeating value is 0.
// Given strings sequence and word, return the maximum k-repeating value of word in sequence.
// Example 1:
// Input: sequence = "ababc", word = "ab"
// Output: 2
// Explanation: "abab" is a substring in "ababc".
// Example 2:
// Input: sequence = "ababc", word = "ba"
// Output: 1
// Explanation: "ba" is a substring in "ababc". "baba" is not a substring in "ababc".
// Example 3:
// Input: sequence = "ababc", word = "ac"
// Output: 0
// Explanation: "ac" is not a substring in "ababc".
// Constraints:
// 1 <= sequence.length <= 100
// 1 <= word.length <= 100
// sequence and word contains only lowercase English letters
import "fmt"
func maxRepeating(sequence string, word string) int {
res, count, n := 0, 0, len(word)
for i := 0; i <= len(sequence) - n; i++ {
if sequence[i:i+n] == word {
i = i + n - 1
count++
if res < count {
res = count
}
continue
}
i -= count * len(word)
count = 0
}
return res
}
func main() {
// Example 1:
// Input: sequence = "ababc", word = "ab"
// Output: 2
// Explanation: "abab" is a substring in "ababc".
fmt.Println(maxRepeating("ababc", "ab")) // 2
// Example 2:
// Input: sequence = "ababc", word = "ba"
// Output: 1
// Explanation: "ba" is a substring in "ababc". "baba" is not a substring in "ababc".
fmt.Println(maxRepeating("ababc", "ba")) // 1
// Example 3:
// Input: sequence = "ababc", word = "ac"
// Output: 0
// Explanation: "ac" is not a substring in "ababc".
fmt.Println(maxRepeating("ababc", "ac")) // 0
fmt.Println(maxRepeating("bluefrog", "ac")) // 0
fmt.Println(maxRepeating("leetcode", "ac")) // 0
fmt.Println(maxRepeating("freewu", "ac")) // 0
}