• 一、题目
  • 二、解题思路
  • 三、解题代码

    一、题目

    请实现一个函数,把字符串中的每个空格替换成”%20”,例如“We are happy.”,则输出“We%20are%20happy.”。

    二、解题思路

    先判断字符串中空格的数量。根据数量判断该字符串有没有足够的空间替换成”%20”。

    如果有足够空间,计算出需要的空间。根据最终需要的总空间,维护一个指针在最后。从后到前,遇到非空的就把该值挪到指针指向的位置,然后指针向前一位,遇到“ ”,则指针前移,依次替换为“02%”。

    三、解题代码

    1. public class Test {
    2. /**
    3. * 请实现一个函数,把字符串中的每个空格替换成"%20",例如“We are happy.“,则输出”We%20are%20happy.“。
    4. *
    5. * @param string 要转换的字符数组
    6. * @param usedLength 已经字符数组中已经使用的长度
    7. * @return 转换后使用的字符长度,-1表示处理失败
    8. */
    9. public static int replaceBlank(char[] string, int usedLength) {
    10. // 判断输入是否合法
    11. if (string == null || string.length < usedLength) {
    12. return -1;
    13. }
    14. // 统计字符数组中的空白字符数
    15. int whiteCount = 0;
    16. for (int i = 0; i < usedLength; i++) {
    17. if (string[i] == ' ') {
    18. whiteCount++;
    19. }
    20. }
    21. // 计算转换后的字符长度是多少
    22. int targetLength = whiteCount * 2 + usedLength;
    23. int tmp = targetLength; // 保存长度结果用于返回
    24. if (targetLength > string.length) { // 如果转换后的长度大于数组的最大长度,直接返回失败
    25. return -1;
    26. }
    27. // 如果没有空白字符就不用处理
    28. if (whiteCount == 0) {
    29. return usedLength;
    30. }
    31. usedLength--; // 从后向前,第一个开始处理的字符
    32. targetLength--; // 处理后的字符放置的位置
    33. // 字符中有空白字符,一直处理到所有的空白字符处理完
    34. while (usedLength >= 0 && usedLength < targetLength) {
    35. // 如是当前字符是空白字符,进行"%20"替换
    36. if (string[usedLength] == ' ') {
    37. string[targetLength--] = '0';
    38. string[targetLength--] = '2';
    39. string[targetLength--] = '%';
    40. } else { // 否则移动字符
    41. string[targetLength--] = string[usedLength];
    42. }
    43. usedLength--;
    44. }
    45. return tmp;
    46. }
    47. }