假设我有一些像下面这样的简单代码,它只打印一个元组中的所有值并跟踪当前迭代。
#include <iostream>
#include <tuple>
#include <utility>
using std::cout;
int main() {
std::tuple<int, double, size_t, unsigned, short, long long, long> my_tuple(7, 4, 1, 8, 5, 2, 9);
//Can you spot the pattern? :)
std::apply(
[](auto&&... current_value) {
size_t i = 0; //This is only executed once
((
cout << i++ << ", " << current_value << "\n" //This is repeated the length of the tuple
), ...);
}, my_tuple
);
return 0;
}
例如,如果我想仅在索引大于 2 时打印元组值,我该怎么做?我不能简单地if
在因为语句之前放一个cout
不允许([cquery] expected expression
在 repl.it 上)。
更一般地说,我怎样才能在包扩展中执行多行代码或语句之类的事情?
在内部使用 lambda 可以工作,例如
std::apply(
[](auto&&... current_value) {
size_t i = 0;
((
[¤t_value, &i](){
cout << i << ", " << current_value << "\n";
++i;
}()
), ...);
}, my_tuple
);
但我无法想象这是最有效(或预期)的解决方案。