字符移位(将大写字母移到字符串尾部并不改变相对顺序)

题目描述:小Q最近遇到了一个难题:把一个字符串的大写字母放到字符串的后面,各个字符的相对位置不变,且不能申请额外的空间

你能帮帮小Q吗?

输入数据有多组,每组包含一个字符串s,且保证:1<=s.length<=1000.

对于每组数据,输出移位后的字符串。

输入例子:

AkleBiCeilD

输出结果

kleieilABCD

由于不能申请额外空间即不能再开辟数组等,于是我使用了队列分别存储大小写字母最后再赋予原字符串。

代码:

#include 
#include 
using namespace std;
int main()
{
	char str[1200];
	while (scanf("%s",str)!=EOF){
		queue pqA, pqa;//使用队列分别存储大写字母和小写字母。
		for (int i = 0; str[i]; ++i){
			if ('A' <= str[i] && str[i] <= 'Z'){
				pqA.push(str[i]);
			}
			else{
				pqa.push(str[i]);
			}
		}
		int j = 0;
		while (!pqa.empty()){
			str[j++] = pqa.front();
			pqa.pop();
		}
		while (!pqA.empty()){
			str[j++] = pqA.front();
			pqA.pop();
		}
		cout << str << endl;
	}
	return 0;
}

你可能感兴趣的:(字符移位(将大写字母移到字符串尾部并不改变相对顺序))