AcWing 2816. 判断子序列

文章目录

  • AcWing 2816. 判断子序列
  • 我的思路
    • CODE
  • 欣赏大神代码
  • 给点思考


AcWing 2816. 判断子序列

题目链接:https://www.acwing.com/activity/content/problem/content/2981/

AcWing 2816. 判断子序列_第1张图片


我的思路

  • 直接硬套模版,把两个指针两层循环写上
  • 如果匹配,记录数组更新
  • 遍历记录数组,如果有未标记的值,说明非子串

CODE

#include 
#include 
#include 

using namespace std;

int n, m;
const int N = 1e5 + 10;
int a[N], b[N], cnt[N];

int main()
{
    cin >> n >> m;

    for(int i = 0; i < n; ++i) scanf("%d", &a[i]);
    for(int i = 0; i < m; ++i) scanf("%d", &b[i]);
    
    for(int i = 0, j = 0; i < n; ++i){
        while(j < m && a[i] != b[j]){
            j++;
        }
        
        if(j < m && a[i] == b[j]){		// 这个判断中 j < m 非常必要
            cnt[i]++;
            j++;
        }
    }
    
    for(int i = 0; i < n; ++i){
        if(cnt[i] == 0){
            puts("No");
            return 0;
        }
    }
    puts("Yes");
}
  • j < m i f if if 判断中不可缺少,当我们走到b[]最后一位没有匹配成功时,j会自加到j == m,那么b[j] == 0,是数组越界后的第一位'\0',如果a[i] == 0那么就会匹配成功,尤其是在最后一位时

欣赏大神代码

#include 
#include 

using namespace std;

const int N = 100010;

int n, m;
int a[N], b[N];

int main()
{
    scanf("%d%d", &n, &m);
    for (int i = 0; i < n; i ++ ) scanf("%d", &a[i]);
    for (int i = 0; i < m; i ++ ) scanf("%d", &b[i]);

    int i = 0, j = 0;
    while (i < n && j < m)
    {
        if (a[i] == b[j]) i ++ ;
        j ++ ;
    }

    if (i == n) puts("Yes");
    else puts("No");

    return 0;
}

作者:yxc
链接:https://www.acwing.com/activity/content/code/content/589289/
来源:AcWing
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
  • 简洁优雅
  • 舍弃了生搬硬套模板,只用一重循环,匹配成功指针就走,未成功则不动,最后看有没有到结尾,没用到标记数组,太太太elegant

给点思考

  • 对于这种寻不连续串,像这样一重循环就能搞定
  • 而对于寻连续串,还得用板子来锁定串的左右边界,例如洛谷P1449 后缀表达式、AcWing 3302. 表达式求值,这两个表达式求值题目中在字符串中寻找连续的数字串,还是用的板子

你可能感兴趣的:(#,双指针,算法,c++,笔记)