我正在创建它以尝试更好地理解排序算法和通用函数。我已经实现了一个基本的插入排序算法,我试图使它适用于多个数据结构(至少列表和数组)。
因为我可以访问这样的列表:list [N]来获取值,我想我需要使用迭代器。所以我试图转换我的解决方案。这是我试图修改的基本插入排序算法:
int *insertionsort(int *a)
{
for (int i = 1; i<length(a); ++i)
{
int k = a[i];
int j = i-1;
{
while (j>=0 && a[j] > k)
{
a[j+1] = a[j--];
}
a[j+1] = k;
}
return a;
}
以下是我迄今为止的通用版本:
template <class T>
T insertionsort(T a)
{
for (auto i = a.begin()+1; i<a.end(); ++i)
{
auto k = i;
auto j = i-1;
while (j>=a.begin() && *j>*k)
{
(j + 1) = j--;
}
(j + 1) = k;
}
return a;
}
Unfortunatley我似乎无法让这个通用功能正确排序。我一直在看这个,没有运气。想法?
答案 0 :(得分:7)
仅为OP的参考发布,并且不太可能过上长寿。如果您倾向于使用C ++ 11并且不喜欢打字,那么这可能就行了。
template<typename Iter>
void insertion_sort(Iter first, Iter last)
{
for (Iter it = first; it != last; ++it)
std::rotate(std::upper_bound(first, it, *it), it, std::next(it));
}
所用函数的相关链接:
答案 1 :(得分:3)
我认为你对解除引用迭代器/指针感到困惑。这应该有效:
template <class T>
T insertionsort(T a)
{
if(a.begin() == a.end()) // return a when it's empty
return a;
for(auto i = a.begin() + 1; i < a.end(); ++i)
{
auto k = *i; // k is the value pointed by i
auto j = i - 1;
while(j >= a.begin() && *j > k)
{
*(j + 1) = *j; // writen in 2 lines for clarity
j--;
}
*(j + 1) = k;
}
return a;
}
答案 2 :(得分:3)
对于更通用的解决方案,更好的是传递范围以进行排序而不是要排序的事物,如std::sort()
之类的标准算法:
template <typename BIDIRECTIONAL_ITERATOR>
void insertionsort(BIDIRECTIONAL_ITERATOR begin , BIDIRECTIONAL_ITERATOR end) //Note that the iterators
{ //are passed by value
if( begin == end ) return; //If the range is empty, abort
for(auto i = begin + 1; i < end; ++i)
{
auto j = i - 1;
bool flag = false; //Used to abort the loop after j == begin case
while(!flag && (j != begin || (flag = j == begin)) && *j > *i)
{
*(j + 1) = *j;
j -= !flag; //If j == begin, don't decrement (Without branch)
}
*(j + 1) = *i;
}
}
该功能是一个程序,不返回任何内容,对原始范围进行排序。