请实现一个函数,把字符串 s 中的每个空格替换成"%20"。
示例输入:s = “We are happy.”
输出:“We%20are%20happy.”
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/ti-huan-kong-ge-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
class Solution {
public String replaceSpace(String s) {
int n = s.length();
String res = new String();
for (int i = 0; i < n; i++){
if (s.charAt(i) != ' ') res += s.charAt(i);
else res += "%20";
}
return res;
}
}
方法2:库函数
Java实现
class Solution {
public String replaceSpace(String s) {
return s.replaceAll(" ", "%20");
}
}
方法3


