我有这个快速排序实现来对字符进行排序。
int main(){
char val[] = "dcbeaaae";
QuickSort(val, 0, length);
for(int i=0;i<length;i++) //Sorted print
cout<<val[i];
return 0
}
void QuickSort(char values[], int first, int last)
{
if(first<last)
{
int splitPoint;
Split(values, first, last, splitPoint);
QuickSort(values, first, splitPoint-1);
QuickSort(values, splitPoint+1, last);
}
}
void Split(char values[], int first, int last, int& splitPoint)
{
int splitVal = values[first];
int saveFirst = first;
bool onCorrectSide;
first++;
do
{
onCorrectSide = true;
while(onCorrectSide)
{
if(values[first] > splitVal)
onCorrectSide = false;
else
{
first++;
onCorrectSide = (first<=last);
}
}
onCorrectSide = (first<=last);
while(onCorrectSide)
if(values[last] <= splitVal)
onCorrectSide = false;
else
{
last--;
onCorrectSide = (first<=last);
}
if(first<last)
{
Swap(values[first], values[last]);
first++;
last--;
}
}while(first<=last);
splitPoint = last;
Swap(values[saveFirst], values[splitPoint]);
}
void Swap(char& item1, char& item2)
{
char temp = item1;
item1 = item2;
item2 = temp;
}
但是,我从中得到的输出有点错误,即在这些排序字符的开头我得到了一个额外的空间。在放置断点时,我看到在 index 0
,元素是 = 0
输入:aaabcdee
输出:(aaabcdee
第一个 a 之前的一个额外空格)
有什么建议我在这里错过了吗?