题目:字符大小写排序(Sort Letters by Case)
描述:给定一个只包含字母的字符串 chars,按照先小写字母后大写字母的顺序进行排序。字母不一定要保持在原始字符串中的相对位置。
lintcode题号——49,难度——medium
样例1:
输入:chars = "abAcD"
输出:"acbAD"
解释:你也可以返回"abcAD"或者"cbaAD"或者其他正确的答案。
样例2:
输入:chars = "ABC"
输出:"ABC"
解释:你也可以返回"CBA"或者"BCA"或者其他正确的答案。
使用对向双指针的方式,两个指针分别从头尾开始向中间走,左指针找大写字母,右指针找小写字母,然后互相交换,将小写字母排在左指针的位置,大写字母排在右指针的位置,进行一轮即可排好。
时间复杂度为O(n)。
空间复杂度为O(1)。
细节:
C++版本:
/**
* @param chars: The letter array you should sort by Case
* @return: nothing
*/
void sortLetters(string &chars) {
// write your code here
if (chars.size() < 2)
{
return;
}
int left = 0;
int right = chars.size() - 1;
while (left < right)
{
if (islower(chars.at(left)) != 0) // 函数返回值为int型,不要用true、false进行比较,会出错
{
left++;
continue;
}
if (isupper(chars.at(right)) != 0) // 函数返回值为int型,不要用true、false进行比较,会出错
{
right--;
continue;
}
if (left < right)
{
swap(chars.at(left++), chars.at(right--));
}
}
}