七月集训(第02天) —— 字符串
Posted 英雄哪里出来
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了七月集训(第02天) —— 字符串相关的知识,希望对你有一定的参考价值。
前言
此为《英雄算法联盟:算法集训》的内容,具体内容详见:知识星球:英雄算法联盟 - 六月集训。加入星球后,即可享用星主 CSDN付费专栏 免费阅读 的权益。
欢迎大家积极在评论区留言发表自己的看法,知无不言,言无不尽,养成每天刷题的习惯,也可以自己发布优质的解题报告,供社区一同鉴赏,吸引一波自己的核心粉丝。
希望大家先自己思考,如果实在没有想法,再看下面的算法思路,如果有思路但是写不出来,可以参考朋友圈中其他人的代码,总有一款是适合你的,关注一下他,取其之长,补给之短。
今天集训的内容是:字符串
今天的题很水。
一、练习题目
题目链接 | 难度 |
---|---|
2315. 统计星号 | ★☆☆☆☆ |
459. 重复的子字符串 | ★☆☆☆☆ |
1790. 仅执行一次字符串交换能否使两个字符串相等 | ★☆☆☆☆ |
1961. 检查字符串是否为数组前缀 | ★☆☆☆☆ |
二、算法思路
1、统计星号
(1)一次遍历,对 | 进行计数,第奇数个 | 后面统计 * 的个数;
class Solution
public:
int countAsterisks(string s)
int i;
int cnt = -1, ans = 0;
for(i = 0; i < s.size(); ++i)
if(s[i] == '|')
++cnt;
else
if(cnt & 1)
ans += s[i] == '*' ? 1 : 0;
return ans;
;
2、重复的子字符串
(1)如果字符串的长度为 n,枚举 n 的因子 i;
(2)尝试判断字符串能否分成 n/i 段,并且每段都相等;
class Solution
bool multiple(const string& s, int len)
int n = s.size();
int cnt = n / len;
int i, j;
for(i = 0; i < cnt; ++i)
for(j = 0; j < len; ++j)
if(s[i*len+j] != s[j])
return false;
return true;
public:
bool repeatedSubstringPattern(string s)
int i;
int n = s.size();
for(i = 1; i < n; ++i)
if(n % i== 0)
if( multiple(s, i) )
return true;
return false;
;
3、仅执行一次字符串交换能否使两个字符串相等
(1)如果长度不相等,直接返回 false
(2)否则找出两个字符串中不相等的字符所在的位置,如果个数等于0,则直接返回 true;否则如果不等于 2,则直接返回false;
(3)然后交换这两个字符,交换以后字符串相等则返回 true,否则返回 false;
class Solution
void swap(char& a, char& b)
char tmp = a;
a = b;
b = tmp;
public:
bool areAlmostEqual(string s1, string s2)
if(s1.size() != s2.size())
return false;
vector<int> pos;
for(int i = 0; i < s1.size(); ++i)
if(s1[i] != s2[i])
pos.push_back(i);
if(pos.size() == 0)
return true;
else if(pos.size() == 2)
swap( s1[pos[0]], s1[pos[1]] );
return s1 == s2;
return false;
;
4、检查字符串是否为数组前缀
(1)isSubString(const string& s, int st, const string& now) 代表 s 这个字符串的 st 位置开始是否能够容纳 now 这个字符串;
(2)从前往后遍历字符串数组,对 isSubString 进行判定即可;
class Solution
bool isSubString(const string& s, int st, const string& now)
int i;
for(i = st; i < st + now.size(); ++i)
if(i == s.size())
return false;
if(s[i] != now[i-st])
return false;
return true;
public:
bool isPrefixString(string s, vector<string>& words)
int k;
int st = 0;
for(k = 0; k < words.size(); ++k)
if( isSubString(s, st, words[k]) )
st += words[k].size();
if(st == s.size())
return true;
else
return false;
return false;
;
以上是关于七月集训(第02天) —— 字符串的主要内容,如果未能解决你的问题,请参考以下文章