我现在使用计数排序方法进行排序,有关此方法的更详细说明,请参阅counting_sort 代码如下:
#include <iterator>
#include <limits>
template <typename iterator>
void counting_sort(iterator const &begin, iterator const &end)
{
typedef std::iterator_traits<iterator>::value_type T;
T max = std::numeric_limits<T>::max();
T freq[max+1] = {0};
iterator it;
T c;
for (it = begin; it < end; ++it) {
freq[*it] += 1;
}
for (c = 0, it = begin; c < max; ++c)
while (freq[c]-- > 0) {
*it++ = c;
}
}
while (freq[c]-- > 0) {
*it++ = c;
}
}
我很难使用代码执行排序。例如,
int main(void)
{
const int NUM=20;
unsigned char a[NUM];
for(int i=0; i<NUM; i++)
a[i] = i;
a[0] = 100;
a[3] = 15;
std::vector<unsigned char> aArray(a,a+NUM);
counting_sort(aArray.begin(),aArray.end());
for(int i=0; i<aArray.size(); i++)
{
int value = aArray[i];
std::cout<<value<<std::endl;
}
return 0;
}
我总是有T freq[max+1] = {0}
的编译错误,错误信息如下:
error C2057: expected constant expression
error C2466: cannot allocate an array of constant size 0
有关如何使用代码的任何想法?谢谢。
答案 0 :(得分:3)
在C ++中(而不是od C),你不能声明一个长度可变的数组。如果max
是常量,那么表达式就是正确的。决定将freq
声明为std :: vector
std::vector< T > freq( (size_t)max + 1, 0 );
另一件事:max
是一个最大数字,可以在T
中表示,这就是max+1
非法的原因。你可以试试这个:
T [ (size_t)std::numeric_limits<T>::max() + 1 ] = {0};