0

如果每个字符串的长度都大于 60000,那么我尝试使用两个数组,因为我无法声明像 dp[60000][60000] 这样的数组......所以这就是为什么我这样尝试但超过了时间限制。 ..如何处理更长的srings..在3或5秒内有什么办法吗?

#include<iostream>
#include<cstring>
#include<string.h>
#include<algorithm>
using namespace std;
const int size=50000;
int dp_x[size+1],dp_xp1[size+1];
char a[size+1],b[size+1];
int lcs()
{
    int strlena=strlen(a);
    int strlenb=strlen(b);
    for(int y=0;y<=strlenb;y++)
        dp_x[y]=0;
    for(int x=strlena-1;x>=0;x--)
    {
        memcpy(dp_xp1,dp_x,sizeof(dp_x));
        dp_x[strlenb]=0;
        for(int y=strlenb-1;y>=0;y--)
        {
            if(a[x]==b[y])
                dp_x[y]=1+dp_xp1[y+1];
            else
                dp_x[y]=max(dp_xp1[y],dp_x[y+1]);
        }
    }
    return dp_x[0];
}
int main()
{
    while(gets(a)&&gets(b))
    {
        int ret=lcs();
        cout<<ret<<endl;
    }
}
4

1 回答 1

1

在每次迭代中,你都memcpy在排。每次迭代需要 O(n) 时间,因此总共需要 O(n²) 时间。用memcpy指针交换替换 。因此,最初使用两个指针,而不是直接dp_x工作:dp_x1

int *current = dp_x, previous = dp_x1;

然后,在您的循环中,将副本替换为交换:

std::swap(current, previous);
于 2013-09-10T16:26:31.573 回答