题目:请实现一个函数,把字符串中的每个空格替换成“%20”。例如输入“We are happy. ”,则输出“We%20are%20happy.%20”。
思路:StringBuffer类的使用
首先,遍历一次字符串,统计出字符串中空格的总数,每替换一次空格,长度增加2,计算出替换之后字符串的总长度。声明两个指针,以“We are happy. ”为例,指针分别为13和16,从后往前复制,直到复制完成。
总结:在原数组进行复制,如果涉及n^2的移动,可以设置两个指针,提前计算复制后的长度,从后到前复制。
public void ReplaceBlank(StringBuffer str) {
char[] cs = str.toString().toCharArray();
int oriloc = 0;
int newlen = cs.length-1;
while (oriloc < cs.length) {
if (cs[oriloc] == ' ')
newlen += 2;
oriloc ++;
}
oriloc--;
int newloc = newlen;
str.setLength(newlen+1); // StringBuffer是变量,直接修改长度
while(oriloc >= 0) { // 从尾到头进行复制
if (cs[oriloc] == ' ') {
str.setCharAt(newloc--, '0');
str.setCharAt(newloc--, '2');
str.setCharAt(newloc--, '%');
oriloc--;
} else {
str.setCharAt(newloc--, cs[oriloc--]);
}
}
System.out.println(str.toString());
}
拓展题目:有两个排序的数组A2和A2,内存在A1的末尾有足够多的空余空间容纳A2。请实现一个函数,把A2中的所有数字插入到A1中并且所有的数字是排序的。
思路:和上题一样,最好的办法是从尾到头比较A1和A2中的数字,并把较大的数字复制到A1的合适位置。
public int[] combineSorted(int[] nums1, int[] nums2) {
int len1 = realLength(nums1)-1;
int len2 = realLength(nums2)-1;
int k = len1+len2+1;
while (k>0) {
if (len1 < 0)
nums1[k] = nums2[len2--];
else if (len2 < 0)
nums1[k] = nums1[len1--];
else {
if (nums1[len1] >= nums2[len2])
nums1[k] = nums1[len1--];
else
nums1[k] = nums2[len2--];
}
k--;
}
return nums1;
}
// get the real length of an array.
public int realLength(int[] nums) {
int i=0;
while (i<nums.length && nums[i] != 0) {
i++;
}
return i;
}