题目:392 Is Subsequence
解析: 判断字符串s是否是t的子序列。
有两个字符串s和t,假设两个字符串都只包含小写字母。字符串t很长(<=500000),字符串s较短(<=100)。子序列是从很长的字符串中删除一些字符构成的,并且不改变字符的相对位置,如ace是abcde的子序列,而aec不是。
example:
1. s = “abc”, t = “ahbgdc”
Return true.
2 .s = “axc”, t = “ahbgdc”
Return false.
solutions:
1.暴力求解法
class Solution {
public:
bool isSubsequence(string s, string t) {
int n1 = s.size();
int n2 = t.size();
int i=0;
for(int j=0;i<n1 && j<n2;j++)
{
if(s[i] == t[j]) i++;
}
if(i == n1) return true;
else
return false;
}
};
2.有多个输入的s序列时优化代码
tip: 输入多个s序列时,t序列是不变的,所以可以建立序列t的哈希表,键为对应的字符,值是每个键的位置的数组。
// Follow up
class Solution {
public:
bool isSubsequence(string s, string t) {
int n = t.size();
int pre = -1;
unordered_map<char,vector<int>> cnt;
for(int i = 0;i<n;i++)
cnt[t[i]].push_back(i);//对每个元素的位置升序存储
for(char c:s)
{
auto j = upper_bound(cnt[c].begin(),cnt[c].end(),pre);//返回的是地址
if(j == cnt[c].end()) return false;
pre = *j;//该地址指向的内存中存储的是对应的下标位置
}
return true;
}
};
相关知识点:
upper_bound和lower_bound:(使用前提是序列是升序排序的)
两个函数都是在一个左闭右开的有序区间里进行二分查找,需要查找的值由第三个值给出:(返回的是值的地址)
upper_bound返回被查找序列中第一个大于查找值的指针;
lower_bound返回被查找寻列中第一个大于等于查找值的指针。