替換空格

題目描述

請實現一個函數,將一個字符串中的每一個空格替換成「%20」。例如,當字符串爲We Are Happy.則通過替換以後的字符串爲We%20Are%20Happy。app

class Solution {
public:
	void replaceSpace(char *str,int length) {
        int count = 0;
        for(int i=0;i<length;i++){
            if(str[i]==' ')
                count++;
        }
        for(int i=length-1;i>=0;i--){
            if(str[i]!=' '){
                str[i+2*count]=str[i];
            }else{
                count--;
                str[i+2*count]='%';
                str[i+2*count+1]='2';
                str[i+2*count+2]='0';
            }
        }
	}
};


思路:從前向後記錄‘ ’數目,從後向前替換‘ ’。 重點:從後向前替換的時候的技巧 例如:「we are lucky」

0 1 2 3 4 5 6 7 8 9 10 11
w e a r e l u c k y
能夠得知count=2;//空格的個數。 因此在替換的時候7~11的字母要向後移動count×2個位置,3~5字母要向後移動(count-1)×2個位置。 因此獲得 :

0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
w e   a r e   l u c  k y 
w e   a r a r e u c  k l u c k y
在替換的時候直接在空格處寫入%20了

0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
w e   a r e   l u c  k y 
w e % 2 0 a r e % 2  0 l u c k y
class Solution {
public:
	void replaceSpace(char *str,int length) {
        if(str==NULL||length<0){
            return ;
        }
        int i=0;
        int oldnumber=0;
        int count=0;
        while(str[i]!='\0'){
            oldnumber++;
            if(str[i]==' '){
                count++;
            }
            i++;
        }
        int newlength=oldnumber+count*2;

        int pOldlength=oldnumber;
        int pNewlength=newlength;
        while(pOldlength>=0&&pNewlength>pOldlength){
            if(str[pOldlength]==' '){
                str[pNewlength--]='0';
                str[pNewlength--]='2';
                str[pNewlength--]='%';
            }else{
                str[pNewlength--]=str[pOldlength];
            }
            pOldlength--;
        }
	}
};
相關文章
相關標籤/搜索