题目:792. Number of Matching Subsequences
题意:让求words中多少字符串是S串的子序列
思路:预处理S串,令pos[c]表示目前c最后出现的位置,dp[i][c]表示i后面第一次出现c的位置
对每个word判断时,只需要判断每个字符相对位置是否是0即可
代码:
const int N = 50000 + 5;
class Solution {
public:
int dp[N][30];
int pos[30];
int numMatchingSubseq(string S, vector<string>& words) {
for(int i = 0;i < S.length();i++){
int c = S[i] - 'a';
for(int j = pos[c];j <= i;j++){
dp[j][c] = i+1;
}
pos[c] = i+1;
}
int sum = 0;
for(auto word : words){
sum += check(word);
}
return sum;
}
bool check(string word){
int p = 0;
for(int i = 0;i < word.length();i++){
p = dp[p][word[i] - 'a'];
if(!p)
return false;
}
return true;
}
};