如标题所示,我对分割元组有疑问。

实际上,我可以使用std::index_sequence来实现,但是代码看起来很难看。

有没有一种优雅的方式可以做到这一点?

这是一些代码来说明我的意思。

#include<tuple>
using namespace std;

template<typename THead, typename ...TTails>
void foo(tuple<THead, TTails...> tpl)
{
    tuple<THead> tpl_h { get<0>(tpl) };
    tuple<TTails...> tpl_t { /* an elegent way? */ }
    do_sth(tpl_h, tpl_t);
}

int main()
{
    foo(make_tuple(1, 2.0f, 'c'));
    return 0;
}

最佳答案

如果您具有支持C++ 17的编译器,则可以使用 apply :

auto [tpl_h, tpl_t] = apply([](auto h, auto... t) {
    return pair{tuple{h}, tuple{t...}};
}, tpl);
do_sth(tpl_h, tpl_t);

Example

由于您使用的是VS2015.2,它支持C++ 14和更高版本的n4567草案,因此在可用的库支持中受到了相当大的限制。但是,您可以使用piecewise_construct:
struct unpacker {
    tuple<THead> tpl_h;
    tuple<TTails...> tpl_t;
    unpacker(THead h, TTails... t) : tpl_h{h}, tpl_t{t...} {}
};
auto unpacked = pair<unpacker, int>{piecewise_construct, tpl, tie()}.first;
do_sth(unpacked.tpl_h, unpacked.tpl_t);

Example

08-17 04:01