描述:
设计一种方法,将一个字符串中的所有空格替换成 %20
。你可以假设该字符串有足够的空间来加入新的字符,且你得到的是“真实的”字符长度。
你的程序还需要返回被替换后的字符串的长度。
样例:
对于字符串"Mr John Smith"
,
长度为 13
替换空格之后,参数中的字符串需要变为"Mr%20John%20Smith"
,并且把新长度 17
作为结果返回。
Java代码:
先统计出空格的个数
再从后向前移动字符
public class Solution {
/**
* @param string: An array of Char
* @param length: The true length of the string
* @return: The true length of new string
*/
public int replaceBlank(char[] string, int length) {
// Write your code here
StringBuilder newString = new StringBuilder("");
int spaceCount = 0;
int newLength = 0;
//统计空格个数
for(int i=0;i<length;i++){
if(string[i]==' '){
spaceCount++;
}
}
newLength = length + spaceCount*2;
//移动字符
for(int i = length-1 ; i >= 0 ; i--){
if(string[i]==' '){
spaceCount--;
string[i + spaceCount*2 ] = '%';
string[i + spaceCount*2 +1] = '2';
string[i + spaceCount*2 +2] = '0';
}else{
string[i + spaceCount*2] = string[i];
}
}
return newLength;
}
}