我很好奇 std:next_permutation 是如何实现的,所以我提取了 gnu libstdc++ 4.7 版本并清理了标识符和格式以生成以下演示......
#include <vector>
#include <iostream>
#include <algorithm>
using namespace std;
template<typename It>
bool next_permutation(It begin, It end)
{
if (begin == end)
return false;
It i = begin;
++i;
if (i == end)
return false;
i = end;
--i;
while (true)
{
It j = i;
--i;
if (*i < *j)
{
It k = end;
while (!(*i < *--k))
/* pass */;
iter_swap(i, k);
reverse(j, end);
return true;
}
if (i == begin)
{
reverse(begin, end);
return false;
}
}
}
int main()
{
vector<int> v = { 1, 2, 3, 4 };
do
{
for (int i = 0; i < 4; i++)
{
cout << v[i] << " ";
}
cout << endl;
}
while (::next_permutation(v.begin(), v.end()));
}
我的问题是:
while (!(*i < *--k))
/* Iterating linearly */;
为什么我们不能进行二进制搜索而不是简单的线性迭代,因为 [i+1 , end) 的序列是降序的?这将提高搜索效率。“algorithm.h”中的标准函数如何忽略这样一个导致更好性能和效率的事情?请有人解释...