剑指offer 面试题4—替换字符串中空格

时间:2022-12-27 08:56:41

题目:

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


时间复杂度为O(n^2)

基本思想:从前往后把字符串中的空格替换成%20.

剑指offer 面试题4—替换字符串中空格

假设字符串的长度为n,对每个空格字符,需要移动后面O(n)个字符,因此总的时间复杂度为O(n^2)


时间复杂度为O(n)

基本思想:先遍历找出空格总数,并计算出替换之后的字符串的总长度。然后从字符串的后面开始复制和替换。

剑指offer 面试题4—替换字符串中空格

所有的字符都只复制移动一次,时间复杂度为O(n)。


#include <iostream>
using namespace std;

void replaceBlank(char s[],int len)
{
	if(s == NULL || len < 0)
		return ;

	int blanks=0,i=0;
	int lenS=0;//实际长度
	while(s[i]!='\0')
	{
		++lenS;
		if(s[i]==' ')
			++blanks;
		++i;
	}

	int newlen=lenS+2*blanks;
	cout<<lenS<<" "<<newlen<<endl;

	int p1=lenS;
	int p2=newlen;
	while(p1>=0 && p2>p1)
	{
		if(s[p1]==' ')
		{
			s[p2--]='0';
			s[p2--]='2';
			s[p2--]='%';
		}
		else
			s[p2--]=s[p1];
		
		--p1;
	}
}

void main()
{
	char s[20] ="we are happy.";//这里的20必须大于上面的newlen

	cout<<strlen(s)<<endl;//13
	cout<<sizeof(s)<<endl;//20
	replaceBlank(s,sizeof(s));

	cout<<s<<endl;
}

剑指offer 面试题4—替换字符串中空格