51nod 最长公共子序列测试 【LCS+回溯】

输入

第1行:字符串A
第2行:字符串B
(A,B的长度 <= 1000)

输出

输出最长的子序列,如果有多个,随意输出1个。

输入示例

abcicba
abdkscab

输出示例

abca

这道题比较6,但是利用每个位置的记录进行回溯就更6,好好体会下。
#include <map>
#include <set>
#include <cstdio>
#include <cstring>
#include <algorithm>
#include <queue>
#include <iostream>
#include <stack>
#include <cmath>
#include <string>
#include <vector>
#include <cstdlib>
//#include <bits/stdc++.h>
//#define LOACL
#define space " "
using namespace std;
//typedef long long Long;
//typedef __int64 Int;
typedef pair<int, int> paii;
const int INF = 0x3f3f3f3f;
const double ESP = 1e-6;
const double PI = acos(-1.0);
const int MOD = 1e9 + 7;
const int MAXN = 1000 + 5;
char str1[MAXN], str2[MAXN];
int dp[MAXN][MAXN], vis[MAXN][MAXN];
void print(int x, int y) {
    if (x == 0 || y == 0) return;
    if (vis[x][y] == 1) {
        print(x - 1, y - 1);
        printf("%c", str1[x - 1]);
    }
    else if (vis[x][y] == 2) {
        print(x - 1, y);
    }
    else {
        print(x, y - 1);
    }
}
int main() {
    while (scanf("%s%s", &str1, &str2) != EOF) {
        int cnt = 0, t = 0;
        int len1 = strlen(str1);
        int len2 = strlen(str2);
        memset(dp, 0, sizeof(dp));
        memset(vis, 0, sizeof(vis));
        for (int i = 1;i <= len1; i++) {
            for (int j = 1; j <= len2; j++) {
                if (str1[i - 1] == str2[j - 1]) {
                    dp[i][j] = dp[i - 1][j - 1] + 1;
                    vis[i][j] = 1;
                }
                else if (dp[i - 1][j] > dp[i][j - 1]){
                    dp[i][j] = dp[i - 1][j];
                    vis[i][j] = 2;
                }
                else {
                    dp[i][j] = dp[i][j - 1];
                    vis[i][j] = 3;
                }
            }
        }
        print(len1, len2); printf("
");
    }
    return 0;
}
 

原文地址:https://www.cnblogs.com/cniwoq/p/6770799.html