leetcode_686
Given two strings A and B, find the minimum number of times A has to be repeated such that B is a substring of it. If no such solution, return -1.
For example, with A = "abcd" and B = "cdabcdab".
Return 3, because by repeating A three times (“abcdabcdabcd”), B is a substring of it; and B is not a substring of A repeated two times ("abcdabcd").
Note: The length of A and B will be between 1 and 10000.
Solutions
The maximum repeating time is
1 + (len(B) / len(A)) + 1.Suppose the correct upper bound is
1 + mid + 2(Append a new A), since the first A within the middle part is the same as the new appended A,mid + 2would also containB.
straight forward O(n2)
class Solution {
public:
int repeatedStringMatch(string A, string B) {
int maxcnt = (B.size() / A.size()) + 2;
int cnt = ceil((double)B.size() / A.size());
string s;
for (int i = 1; i <= cnt; i++)
s += A;
for (; cnt <= maxcnt; cnt++) {
if(s.find(B) != string::npos)
return cnt;
s += A;
}
return -1;
}
};kmp
rabin-karp
Last updated
Was this helpful?