如何创建一个新变量并同时在std :: tie中使用它?

时间:2015-03-28 00:16:07

标签: c++ c++11 c++14

有没有一种好方法可以一次性使用std::tie并创建一个新变量?换句话说,如果函数返回std::tuple并且我们希望最终将结果分解为单个组件,那么有没有办法在不事先定义变量的情况下执行这些赋值?

例如,请考虑以下代码:

#include <tuple>

struct Foo {
    Foo(int) {}
};
struct Bar{};

std::tuple <Foo,Bar> example() {
    return std::make_tuple(Foo(1),Bar()); 
}

int main() {
    auto bar = Bar {};

    // Without std::tie
    {
        auto foo_bar = example();
        auto foo = std::get<0>(std::move(foo_bar));
        bar = std::get<1>(std::move(foo_bar));
    }

    // With std::tie
    #if 0
    {
        // Error: no default constructor
        Foo foo;
        std::tie(foo,bar) = example();
    }
    #endif

}

基本上,函数example返回一个元组。我们已经有一个我们要分配的Bar类型的变量,但我们需要一个Foo类型的新变量。如果没有std::tie,我们就不需要创建Foo的虚拟实例,但代码要求我们先将所有内容放入std::tuple然后再划分。使用std::tie时,我们必须首先分配一个虚拟Foo,但我们没有默认构造函数来执行此操作。实际上,我们假装Foo的构造函数很复杂,因此首先创建一个虚拟值是不可取的。最后,我们只想分配到foobar,但想要同时执行此分配并为Foo分配内存。

2 个答案:

答案 0 :(得分:28)

此功能在C ++ 17中称为structured bindings。非常欢迎加入!

样本用法:

#include <iostream>
#include <tuple>

int main()
{
    auto tuple = std::make_tuple(1, 'a', 2.3);

    // unpack the tuple into individual variables declared at the call site
    auto [ i, c, d ] = tuple;

    std::cout << "i=" << i << " c=" << c << " d=" << d << '\n';

    return 0;
}

使用-std=c++17在GCC 7.2中测试。

答案 1 :(得分:12)

@MikaelPersson有正确的链接。基本上,没有很好的方法可以做到这一点。虽然,有一些基于N3802的聪明方法。即,使用

// This comes from the N3802 proposal for C++
template <typename F, typename Tuple, size_t... I>
decltype(auto) apply_impl(F&& f, Tuple&& t, std::index_sequence<I...>) {
    return std::forward<F>(f)(std::get<I>(std::forward<Tuple>(t))...);
}
template <typename F, typename Tuple>
decltype(auto) apply(F&& f, Tuple&& t) {
    using Indices =
        std::make_index_sequence<std::tuple_size<std::decay_t<Tuple>>::value>;
    return apply_impl(std::forward<F>(f), std::forward<Tuple>(t), Indices{});
}

然后,写

// With compose
{
    auto foo = apply([&bar](auto && foo,auto && bar_) {
        bar=std::move(bar_);
        return std::move(foo);
    }, example());
}

而且,是的,整件事情都是丑陋的,但在某些情况下确实出现了这种情况。尽管如此,正如@ MikaelPersson的链接所示,这是一个普遍的问题,尚未完全解决。