1、题干
替换空格
请实现一个函数,把字符串 s 中的每个空格替换成"%20"。
示例 1:
输入:s = "We are happy."
输出:"We%20are%20happy."
限制:
0 <= s 的长度 <= 10000
通过次数227,105提交次数297,856
data:image/s3,"s3://crabby-images/a705f/a705fcf8e57bd5f634546e9144eda6d2676cba06" alt="在这里插入图片描述"
2、遍历添加
最应该想到的方法是,首先新建一个字符串,然后从头遍历原字符串,如果遇到满足要求的,修改即可,如果没遇到,保留下来。
算法流程:
- 初始化一个字符串,记为 res ;
- 遍历原字符串 s 中的每个字符 x :
- 当 x 为空格时:向 res 后添加字符串 “%20” ;
- 当 x 不为空格时:向 res 后添加字符 x ;
- 返回字符串 res 。
class Solution {
public:
string replaceSpace(string s) {
string res;
for (auto x : s)
{
if (x == ' ') res += "%20";
else res += x;
}
return res;
}
};
data:image/s3,"s3://crabby-images/628f1/628f135a22572a8aec28a0742b4b043df8c0dac8" alt="在这里插入图片描述"
3、原地修改
需要注意的是,空间复杂度,由于新建一个答案字符串,所以空间复杂度不是常数。
算法流程:
- 初始化:原字符串 s 的长度 oldl ;
- 统计空格数量:遍历 s ,遇空格则 s += “00”;
- 重新初始化:原字符串 s 长度 newl :添加完 “%20” 后的字符串长度;
- 倒序遍历修改:i 指向字符串 s 尾部元素;
- 当 s[i] 为空格时:将字符串 newl 的元素分别修改为 “%20” ,每次修改后都需要移动 newl ;
- 当 s[i] 不为空格时:将字符串 newl 的元素修改为 c ;
- 返回已修改的字符串 s ;
class Solution {
public:
string replaceSpace(string s) {
int oldl = s.length() - 1;
for (int i = 0; i <= oldl; i++) {
if (s[i] == ' ') {
s += "00";
}
}
int newl = s.length() - 1;
if (newl <= oldl) {
return s;
}
for (int i = oldl; i >= 0; i--) {
char c = s[i];
if (c == ' ') {
s[newl--] = '0';
s[newl--] = '2';
s[newl--] = '%';
}
else {
s[newl--] = c;
}
}
return s;
}
};
data:image/s3,"s3://crabby-images/c45b2/c45b2024c6dc27ac4682b272a35cfd79ccf5af2b" alt="在这里插入图片描述"
data:image/s3,"s3://crabby-images/2e729/2e729a83c780d49a09befab1bd825bd81946bf26" alt="在这里插入图片描述" data:image/s3,"s3://crabby-images/4cde1/4cde1d75c00ba1484fe1d3e0f466e306e4ceb56e" alt="在这里插入图片描述"
4、复杂度
——————————————————————————————————————
—————————————————————————————————————
本文由 leetcode、牛客、公众哈哦、知乎共同支持! data:image/s3,"s3://crabby-images/4652f/4652f0dc9f8564360a9aa10f8b62a1c47a280e1c" alt="在这里插入图片描述" https://leetcode-cn.com/u/tefuirnever/ data:image/s3,"s3://crabby-images/7208c/7208c85b1c6b0a68b80ae19b4cde535cb353636e" alt="在这里插入图片描述" https://blog.nowcoder.net/wsguanxl data:image/s3,"s3://crabby-images/a9414/a9414fca2d6ff03f888c3501ebfc398d9f908afc" alt="在这里插入图片描述" https://mp.weixin.qq.com/s/bDwxwQfZytIx4mAn8eK20Q
data:image/s3,"s3://crabby-images/4c5ce/4c5cea016591853e916373cd42eda1f755667634" alt="在这里插入图片描述" https://www.zhihu.com/people/tefuirnever_-.-
|