参考LCS通解
题目描述
牛牛拿到了一个藏宝图,顺着藏宝图的指示,牛牛发现了一个藏宝盒,藏宝盒上有一个机关,机关每次会显示两个字符串 s 和 t,根据古老的传说,牛牛需要每次都回答 t 是否是 s 的子序列。注意,子序列不要求在原字符串中是连续的,例如串 abc,它的子序列就有 {空串, a, b, c, ab, ac, bc, abc} 8 种。
输入描述:
每个输入包含一个测试用例。每个测试用例包含两行长度不超过 10 的不包含空格的可见 ASCII 字符串。
输出描述:
输出一行 “Yes” 或者 “No” 表示结果。
示例1
输入
x.nowcoder.com ooo
输出
Yes
#include<iostream>
#include<vector>
#include<string>
using namespace std;
int main(){
string Str1,Str2;
cin >> Str1 >> Str2;
int Length1 = Str1.length();
int Length2 = Str2.length();
vector<vector<int>> DP(Length1 + 1,vector<int>(Length2 + 1,0));
for(int i = 1;i <= Length1;i ++){
for(int j = 1;j <= Length2;j ++){
if(Str1[i - 1] == Str2[j - 1]){
DP[i][j] = DP[i - 1][j - 1] + 1;
}
else{
DP[i][j] = max(DP[i - 1][j],DP[i][j - 1]);
}
}
}
int Result = DP[Length1][Length2];
if(Result == Length2){
printf("Yes\n");
}
else{
printf("No\n");
}
return 0;
}
标签:子串,int,Length2,Str1,Str2,牛牛,公共,最长,DP From: https://blog.51cto.com/u_13121994/5798109