牛客网 替换空格

文章目录

  • 一. 题目
    • 1. 题目
    • 2. 基础框架
    • 3. 原题链接
  • 二. 解题思路
    • 1. 思路分析
    • 2. 代码详解
      • 思路1
      • 思路2
  • 三. 本题知识与收获

一. 题目

1. 题目

请实现一个函数,将一个字符串中的每个空格替换成“%20”。例如,当字符串为We Are Happy.则经过替换之后的字符串为We%20Are%20Happy

2. 基础框架

  • C++版本的代码框架
class Solution {
public:
	void replaceSpace(char *str,int length) {
	
	}
};

3. 原题链接

牛客网 替换空格


二. 解题思路

1. 思路分析

( 1 ) (1) (1)只借助 s t r str str指向的字符串,从后向前依次移动;
( 2 ) (2) (2)一个空格最后替换成'%''2''0',一个字符替换为三个字符,相当于增加了2个字符;
( 3 ) (3) (3)一个循环统计字符串中空格的个数,替换之后的字符串长度就是原来字符串长度加上空格数的2倍.
( 4 ) (4) (4)两个变量 e n d 1 、 e n d 2 end1、end2 end1end2分别记录原来字符串的最后一个字符的下标与新字符串的最后一个字符的下标;
( 5 ) (5) (5)一个循环,如果下标 e n d 1 end1 end1的字符不是空格,就把 e n d 1 end1 end1下标的字符移动到 e n d 2 end2 end2下标位置,之后两个下标均减1;
( 6 ) (6) (6)如果下标 e n d 1 end1 end1的字符是空格, e n d 1 end1 end1减1,,把'0'、'2'、'%'这三个字符依次存入下标 e n d 2 end2 end2位置,每次存入后都 e n d − − end-- end
( 7 ) (7) (7)当空格替换完成时,end1与end2相等,结束循环。

2. 代码详解

思路1

class Solution {
public:
	void replaceSpace(char *str,int length) {
        //找空格数
        int cnt = 0;
        char* start = str;
        while(*start){
            if(*start == ' '){
                cnt++;
            }
            start++;
        }
        //从后向前移,遇到空格
        //前后下标
        int end1 = length - 1;
        int end2 = length - 1 + 2*cnt;
        while(end1 != end2){
            if(str[end1] != ' '){
                str[end2--] = str[end1--];
            }
            else{
                str[end2--] = '0';
                str[end2--] = '2';
                str[end2--] = '%';
                end1--;
            }
        }
	}
};

思路2

class Solution {
public:
	void replaceSpace(char *str,int length) {
        //找空格数量
    char* start = str;
    int cnt = 0;
    while (*start) {
        if (*start == ' ') {
            cnt++;
        }
        start++;
    }
    int len1 = length;
    int len2 = length + 2 * cnt;
    //创建数组存放新字符串
    char* s = (char*)malloc(sizeof(char) * (len2+1));
    start = str;
    char* ps = s;
    while (*start) {
        if (*start != ' ') {
            *ps++ = *start++;
        }
        else {
            start++;
            *ps++ = '%';
            *ps++ = '2';
            *ps++ = '0';
        }
    }
    *ps = '\0';
    strcpy(str, s);
    free(s);
    s = NULL;
	}
};

三. 本题知识与收获

本体有两种思路: 本体有两种思路: 本体有两种思路:
第一种方法是从后往前放,不需要创建新数组。 第一种方法是从后往前放,不需要创建新数组。 第一种方法是从后往前放,不需要创建新数组。
第二种是常规方法,从前往后放。新创建一个字符数组,把原来字符串的内容依次放入创建的字符数组,遇到空格字符就放入三个字符‘%’、‘2’、‘0’到字符数组中,直到遇到字符串末尾。再把字符数组的内容复制回原来的字符串中。


E N D END END

你可能感兴趣的:(牛客网刷题,算法,c++,c语言)