虽然有很多关于如何生成集合的实际幂集的示例,但我无法在迭代中找到任何关于生成幂集的内容(如在std::iterator
中)。我很欣赏这种算法的原因是我的基本集的大小。由于n元素集的幂集具有2 ^ n个元素,因此在实际计算集合时我会快速耗尽内存。那么,有没有办法为给定集的幂集创建迭代器?它甚至可能吗?
int
s集合的迭代器就可以了 - 我可以将它们用作实际集合/向量的索引。std::vector
时,如果需要,可以随机访问答案 0 :(得分:3)
使用Combinations and Permutations中的for_each_combination
可以轻松地遍历std::vector<AnyType>
的幂集的所有成员。例如:
#include <vector>
#include <iostream>
#include "../combinations/combinations"
int
main()
{
std::vector<int> v{1, 2, 3, 4, 5};
std::size_t num_visits = 0;
for (std::size_t k = 0; k <= v.size(); ++k)
for_each_combination(v.begin(), v.begin()+k, v.end(),
[&](auto first, auto last)
{
std::cout << '{';
if (first != last)
{
std::cout << *first;
for (++first; first != last; ++first)
std::cout << ", " << *first;
}
std::cout << "}\n";
++num_visits;
return false;
});
std::cout << "num_visits = " << num_visits << '\n';
}
这会访问此vector
的每个电源组成员,并执行仿函数,该仿函数只计算访问次数并打印出当前的电量集:
{}
{1}
{2}
{3}
{4}
{5}
{1, 2}
{1, 3}
{1, 4}
{1, 5}
{2, 3}
{2, 4}
{2, 5}
{3, 4}
{3, 5}
{4, 5}
{1, 2, 3}
{1, 2, 4}
{1, 2, 5}
{1, 3, 4}
{1, 3, 5}
{1, 4, 5}
{2, 3, 4}
{2, 3, 5}
{2, 4, 5}
{3, 4, 5}
{1, 2, 3, 4}
{1, 2, 3, 5}
{1, 2, 4, 5}
{1, 3, 4, 5}
{2, 3, 4, 5}
{1, 2, 3, 4, 5}
num_visits = 32
我上面使用的语法是C ++ 14。如果您有C ++ 11,则需要更改:
[&](auto first, auto last)
为:
[&](std::vector<int>::const_iterator first, std::vector<int>::const_iterator last)
如果您使用的是C ++ 98/03,则必须编写一个函数或函数来替换lambda。
for_each_combination
函数不分配额外的存储空间。这一切都是通过将vector
的成员交换到范围[v.begin(), v.begin()+k)
来完成的。在每次调用for_each_combination
时,矢量都保持原始状态。
如果由于某种原因你想&#34;退出&#34;提前for_each_combination
,只需返回true
而不是false
。