Description
https://oj.leetcode.com/problems/sort-colors/
Difficulty: 2.5/5.0 star
Analysis
This problem is pretty trivial if it is not restricted to one sweep. When restricted to one sweep, we use three indice to track the “progress” of each color. Actually it is hard to tell which methods involve more operations. Supposed that we have zeros, ones, and twos in the array. Then the total operations involved in one-sweep method is , while that of two-sweep method is obviously . The difference is .
The reason for giving 2.5 stars to it is that coming up with an elegant and neat code needs come work.
class Solution {
public:
void sortColors(int A[], int n) {
int indexColor[3] = {0,0,0};
for (int i = 0 ; i < n; i ++){
int curColor = A[i];
for (int j = 2; j > curColor; -- j){
if (indexColor[j] != indexColor[j-1])
A[indexColor[j]] = j;
indexColor[j] ++;
}
A[indexColor[curColor] ++ ] = curColor;
}
}
};