[S]O-05替换空格
问题描述:
请实现一个函数,把字符串 s 中的每个空格替换成"%20"。
输入:s = "We are happy."
输出:"We%20are%20happy."
解决方案:
Method1/Method2
差不多
Method1:一个是把str用split转成list,进行字符串拼接,最后一个直接拼接不需要加%20。
Method2:直接str里判断,新建list append,最终用join连接字符串。
class Solution:
def replaceSpace(self, s: str) -> str:
# method1
new=str()
list_s=s.split(' ')
for i in range(len(list_s)) :
new+=list_s[i]
if i!=len(list_s)-1:
new+="%20"
return new
# method2
res = []
for c in s:
if c == ' ': res.append("%20")
else: res.append(c)
return "".join(res)
结果:
--------------2020/12/14-很简单的一道不过可能用python不大好(委屈巴巴)------------