我有
here的代码:
std::sort(begin(v),end(v),[](auto const &t1,auto const &t2) { return get<0>(t1) < get<0>(t2); // or use a custom compare function });
我想多次排序元组,所以我编写了这段代码:
int k = 10; while(k--){ std::sort(begin(v),auto const &t2) { return get<k>(t1) < get<k>(t2); // or use a custom compare function }); }
int k = 10; while(k--){ std::sort(begin(v),[&k](auto const &t1,auto const &t2) { return get<k>(t1) < get<k>(t2); // or use a custom compare function }); }
但它不是正确的方法和错误错误:’k’的值在常量表达式中不可用.
如何捕获k变量?
解决方法
std::get
只接受模板参数,即
expression whose value that can be evaluated at compiling time.
你不能使用k,因为它是一个改变价值的变量.
std::sort(begin(v),auto const &t2) { const int k = 3; return std::get<k>(t1) < std::get<k>(t2); // or use a custom compare function });
正如我在评论中写的那样,我知道const int = 3会将lambda表达式之外的k值隐藏起来,但是这个例子表明get在收到编译时间常量值时会起作用.
例如,如果您尝试设置k = 5,例如,其中v只有4个元组参数,编译器将给出错误,因为它知道这超出了范围.
std::vector<std::tuple<int,int,int>> v; std::sort(begin(v),auto const &t2) { const int k = 5; return std::get<k>(t1) < std::get<k>(t2); // or use a custom compare function });