假设您有一个带有 a 的可变参数类std::tuple
,可以使用 args + 1 new arg 构造它。当使用std::apply()
原始花括号构造函数构造时,该构造函数不返回右值。这意味着类不是移动构造的。下面举例说明。
#include <cstdio>
#include <tuple>
#include <type_traits>
#include <unordered_map>
#include <vector>
template <class... Args>
struct icecream {
icecream() = default;
template <class... MoreArgs>
icecream(icecream<MoreArgs...>&& ice) {
std::apply(
[this](auto&&... ds) {
data = { std::move(ds)..., {} };
},
std::move(ice.data));
}
// This works :
// template <class... MoreArgs>
// icecream(icecream<MoreArgs...>&& ice) {
// std::apply(
// [this](auto&&... ds) {
// data = { std::move(ds)...,
// std::move(std::vector<double>{}) };
// },
// std::move(ice.data));
// }
std::tuple<std::vector<Args>...> data{};
};
int main(int, char**) {
icecream<int> miam;
std::get<0>(miam.data).push_back(1);
std::get<0>(miam.data).push_back(2);
icecream<int, double> cherry_garcia{ std::move(miam) };
printf("miam : \n");
for (const auto& x : std::get<0>(miam.data)) {
printf("%d\n", x);
}
printf("\ncherry_garcia : \n");
for (const auto& x : std::get<0>(cherry_garcia.data)) {
printf("%d\n", x);
}
return 0;
}
输出是:
miam :
1
2
cherry_garcia :
1
2
这个例子有点愚蠢,但说明了这一点。在第一个移动构造函数中,{}
使用了元组复制构造。如果您使用硬编码取消注释第二个构造函数std::move()
,则它可以工作。
我在最新的 VS、最新的 clang 和最新的 gcc 上进行测试。都有相同的结果。(魔杖盒: https ://wandbox.org/permlink/IQqqlLcmeyOzsJHC )
所以问题是,为什么不返回一个右值呢?我显然缺少 curly 构造函数的一些东西。这可能与可变参数无关,但我想我不妨展示一下真实场景。