在这个问题中,我们只考虑由小写英文字母(a-z)组成的字符串。 如果字符串从左到右读取与从右到左完全相同,则为字符串。
例如,这些字符串是回文:
aza
abba
abacaba
这些字符串不是回文:
zaza
abcd
abacada
给定长度为N的字符串S,S的切片是由一对整数(p,q)指定的S的子串,使得0 ≤ p < q < N
。如果由字母S[p], S[p+1], ..., S[q]
组成的字符串是回文,则字符串S的切片(p,q)是回文的。
例如,在字符串S = abbacada:
切片(0,3)是回文因为abba
是回文,
切片(6,7)不是回文,因为da
不是回文,
切片(2,5)不是回文因为baca
不是回文,
切片(1,2)是回文的,因为bb
是回文。
编写一个函数int solution(const string &S);
,给定一个长度为N个字母的字符串S,返回S的回文切片数。如果该数字大于100,000,000,则该函数应返回-1。
例如,对于字符串S = baababa
,函数应该返回6,因为它的正好六个切片是回文;即:(0, 3), (1, 2), (2, 4), (2, 6), (3, 5), (4, 6)
。
假设:
- N是[0..20,000]范围内的整数;
- 字符串S仅由小写字母(a-z)组成。
复杂性:
- 预期的最坏情况时间复杂度为O(N);
- 预期的最坏情况空间复杂度是O(N)(不计算输入参数所需的存储空间)。
这是我的解决方案:
int palindrom(const string &S, int startIndex,int endIndex, int counter=0)
{
bool equals = true;
if (endIndex - startIndex < 1)
return counter;
for(int i = startIndex,j = endIndex;i<j; ++i, --j)
{
equals = S[i] == S[j];
if (!equals) break;
}
if (equals) counter++;
counter = palindrom( S,startIndex,endIndex-1,counter);
return counter;
}
int solution(const string &S)
{
int length = S.size();
int counter = 0;
if (length > 20000) return -1;
for(int i=0; i < length-1; i++)
{
counter += palindrom(S,i,length-1);
if (counter > 100000000) return -1;
}
return counter;
}
大字符串S.size()&gt; 3000我总是得到运行时错误(意味着时间超过3秒,但解决方案应该在不到2秒内工作)!有什么建议吗?
OK!主要功能如下:
main(){cout<<solution("aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa");}
答案 0 :(得分:1)
我会没有递归
#include <string>
#include <iostream>
typedef std::string::const_iterator P;
bool is_palindrom(P begin, P end) {
while (begin < end) {
if (*begin != *end)
return false;
++begin;
--end;
}
return true;
}
int count_palindroms(const std::string &s) {
int c = 0;
P left = s.begin();
while (left < s.end()) {
P right = left + 1; // because length palindrome > 1
while (right < s.end()) {
if (is_palindrom(left, right)) {
//std::cout << left - s.begin() << ' ' << right - s.begin() << std::endl;
c++;
if (c > 100000000)
return -1;
}
++right;
}
++left;
}
return c;
}
int main(int , char *[])
{
std::cout << count_palindroms("baababa") << std::endl;
return 0;
}
答案 1 :(得分:1)
它在我的电脑上工作正常。 你在这里实际做的是检查原始字符串的每个子字符串并在其上运行递归函数。 正如@PeterT所提到的,你可能达到卡住的最大深度。
我要做的不是使用调用堆栈,而是使用我自己的卡住,或使用一些简单的字符串函数,如:
std::string s = "aba";
std::string s1 = std::string(s.rbegin(), s.rend());
if (s == s1)
{
///...
}
举个例子。
关于时间复杂度 - 正如您可以阅读here,您无法在o(n)中查看它们。
答案 2 :(得分:0)
我只是删除递归(算法中的一个小变化):
int palindrom(const string &S, int startIndex, int endIndex, int counter = 0)
{
for (int k = endIndex; k > startIndex; --k) {
bool equals = true;
for (int i = startIndex, j = k; i < j; ++i, --j)
if (S[i] != S[j]) {
equals = false;
break;
}
if (equals)
counter++;
}
return counter;
}