复制 std::tuple
Copying a std::tuple
我试图将一些值分配给从 std::tuple 派生的 class。
我首先想到的是使用 make_tuple
然后用 operator=
复制它,但是没有用。
如果我手动分配元组的单个值,则没有问题。
所以我写了一小段代码,从项目中提取出来,专门测试这件事:
#include <tuple>
template <class idtype>
class Userdata: public std::tuple<idtype, WideString, int>
{
public:
/* compile error
void assign1(const idtype& id, const WideString& name, const int lvl)
{
(*this)=std::make_tuple(id, name, lvl);
}
*/
void assign2(const idtype& id, const WideString& name, const int lvl)
{
(std::tuple<idtype, WideString, int>)(*this)=std::make_tuple(id, name, lvl);
}
void assign3(const idtype& id, const WideString& name, const int lvl)
{
std::get<0>(*this)=id;
std::get<1>(*this)=name;
std::get<2>(*this)=lvl;
}
void print(const WideString& testname) const
{
std::cout << testname << ": " << std::get<0>(*this) << " " << std::get<1>(*this) << " " << std::get<2>(*this) << std::endl;
}
Userdata()
{
}
};
int main(int argc, char *argv[])
{
Userdata<int> test;
/*
test.assign1("assign1", 1, "test1", 1);
test.print();
*/
test.assign2(2, "test2", 2);
test.print("assign2");
test.assign3(3, "test3", 3);
test.print("assign3");
}
结果是
assign2: 0 0
assign3: 3 test3 3
只有 assign3
给出了预期的结果。
因此,虽然我可以轻松使用 assign3
函数,但我仍然想知道 assign2
.
有什么问题
(std::tuple<idtype, WideString, int>)(*this)
创建一个新的临时文件,然后您将分配给它。转换为引用:
(std::tuple<idtype, WideString, int>&)(*this)=std::make_tuple(id, name, lvl);
我试图将一些值分配给从 std::tuple 派生的 class。
我首先想到的是使用 make_tuple
然后用 operator=
复制它,但是没有用。
如果我手动分配元组的单个值,则没有问题。
所以我写了一小段代码,从项目中提取出来,专门测试这件事:
#include <tuple>
template <class idtype>
class Userdata: public std::tuple<idtype, WideString, int>
{
public:
/* compile error
void assign1(const idtype& id, const WideString& name, const int lvl)
{
(*this)=std::make_tuple(id, name, lvl);
}
*/
void assign2(const idtype& id, const WideString& name, const int lvl)
{
(std::tuple<idtype, WideString, int>)(*this)=std::make_tuple(id, name, lvl);
}
void assign3(const idtype& id, const WideString& name, const int lvl)
{
std::get<0>(*this)=id;
std::get<1>(*this)=name;
std::get<2>(*this)=lvl;
}
void print(const WideString& testname) const
{
std::cout << testname << ": " << std::get<0>(*this) << " " << std::get<1>(*this) << " " << std::get<2>(*this) << std::endl;
}
Userdata()
{
}
};
int main(int argc, char *argv[])
{
Userdata<int> test;
/*
test.assign1("assign1", 1, "test1", 1);
test.print();
*/
test.assign2(2, "test2", 2);
test.print("assign2");
test.assign3(3, "test3", 3);
test.print("assign3");
}
结果是
assign2: 0 0
assign3: 3 test3 3
只有 assign3
给出了预期的结果。
因此,虽然我可以轻松使用 assign3
函数,但我仍然想知道 assign2
.
(std::tuple<idtype, WideString, int>)(*this)
创建一个新的临时文件,然后您将分配给它。转换为引用:
(std::tuple<idtype, WideString, int>&)(*this)=std::make_tuple(id, name, lvl);