藏宝图----网易2017内推笔试编程题合集(一)

[编程题] 藏宝图
牛牛拿到了一个藏宝图,顺着藏宝图的指示,牛牛发现了一个藏宝盒,藏宝盒上有一个机关,机关每次会显示两个字符串 s 和 t,根据古老的传说,牛牛需要每次都回答 t 是否是 s 的子序列。注意,子序列不要求在原字符串中是连续的,例如串 abc,它的子序列就有 {空串, a, b, c, ab, ac, bc, abc} 8 种。 
输入描述:
每个输入包含一个测试用例。每个测试用例包含两行长度不超过 10 的不包含空格的可见 ASCII 字符串。


输出描述:
输出一行 “Yes” 或者 “No” 表示结果。

输入例子:
x.nowcoder.com
ooo

输出例子:
Yes

这道题,知道最长公共子序列知识点就能做对,点击打开链接

#include 
#include 
#include 

using namespace::std ;

int main() {
    string str1, str2 ;
    
    while ( cin >> str1 >> str2 ) {
        if ( str1.size() < str2.size() ) continue ;
        
        vector> c( str1.size() + 1, vector( str2.size() + 1, 0 ) ) ;
        for (int i = 0; i <= str1.size(); i++) {  
            for (int j = 0; j <= str2.size(); j++) {  
                if (i == 0 || j == 0) {  
                    c[i][j] = 0;  
                }  
                else if (str1[i - 1] == str2[j - 1]) {  
                    c[i][j] = c[i - 1][j - 1] + 1;
                }  
                else if (c[i - 1][j] >= c[i][j - 1]){  
                    c[i][j] = c[i - 1][j];
                }  
                else{  
                    c[i][j] = c[i][j - 1];
                }
            }
    	}
        
        int lcs_length = c[str1.size()][str2.size()] ;
        if ( lcs_length >= str2.size() ) cout << "Yes" << endl ;
        else cout << "No" << endl ;
    }
    
    return 0 ;
}


你可能感兴趣的:(在线编程刷题)