请实现一个函数,将一个字符串中的每个空格替换成“%20”。例如,当字符串为We Are Happy.则经过替换之后的字符串为We%20Are%20Happy。注:"a"和’a’的区别,前者是字符串,后者是字符。
代码思路:遍历string,判断每一个字符是否为' ',如果为空格,就先把string的大小加2,然后将空格之后的每一个字符向后移动两位,然后在空出来的三个位置上插入"%20"
#include <iostream>
#include <string>
using namespace std;
class solution
{
public:
void replace(string &str)
{
int i = 0;
while(str[i] != '\0')
{
if (str[i] == ' ')
{
str.resize(str.size() + 2);
for (int j = str.size() - 3; j > i; j--)
{
str[j+2] = str[j];
}
str[i] = '%';
str[i + 1] = '2';
str[i + 2] = '0';
}
else
i++;
}
}
};
int main()
{
string str = " hello world";
solution a;
a.replace(str);
cout << str << endl;
}