2023-11-05每日一题
一、题目编号
187. 重复的DNA序列
二、题目链接
三、题目描述
DNA序列 由一系列核苷酸组成,缩写为 'A', 'C', 'G' 和 'T'.。
- 例如,"ACGAATTCCG" 是一个 **DNA序列 **。
在研究 DNA 时,识别 DNA 中的重复序列非常有用。
给定一个表示 DNA序列 的字符串 s ,返回所有在 DNA 分子中出现不止一次的 长度为 10 的序列(子字符串)。你可以按 任意顺序 返回答案。
示例 1:
示例 2:
提示:
- 0 <= s.length <= 10^5^
- s[i]=='A'、'C'、'G' or 'T'
四、解题代码
cpp
class Solution {
map<string, int> mp;
public:
vector<string> findRepeatedDnaSequences(string s) {
vector<string> res;
int n = s.size();
int right = 9;
string temp;
if(n < 10){
return res;
}
for(int i = 0; i < 10; ++i){
temp.push_back(s[i]);
}
mp[temp]++;
while(right < n - 1){
right++;
temp.push_back(s[right]);
reverse(temp.begin(), temp.end());
temp.pop_back();
reverse(temp.begin(), temp.end());
if(mp[temp] == 1){
res.push_back(temp);
}
mp[temp]++;
}
return res;
}
};
五、解题思路
(1) 利用哈希表来统计字符串出现的数量。
(2) 利用滑动窗口来获得每次获得的字符串。