我有这段代码可以很好地按索引检索foo
成员。
#include <string>
#include <iostream>
struct Foo {
int a = 42;
int b = 16;
std::string str = "hi";
};
int main()
{
int Foo::*members[] = { &Foo::a, &Foo::b };
Foo foo;
std::cout << foo.*members[1] << std::endl;
return 0;
}
问题是我的结构上有一个std::string
,我希望能够以相同的方式访问它,是否有可扩展到任何类型的解决方案?
#include <string>
#include <iostream>
#include <any>
struct Foo {
int a = 42;
int b = 16;
std::string str = "coucou";
};
int main()
{
std::any Foo::*members[] = { (std::any Foo::*)&Foo::a, (std::any Foo::*)&Foo::b, (std::any Foo::*)&Foo::str };
Foo foo;
std::cout << std::any_cast<int>(foo.*members[0]) << std::endl;
return 0;
}
我告诉自己,如果存储std::any
数组,那将起作用。实际上,该代码可以编译但会崩溃。
有解决方案吗?
答案 0 :(得分:1)
您可以使用std::tuple
:
std::tuple members{&Foo::a, &Foo::b, &Foo::str }; // C++17 CTAD
// else, use `std::make_tuple`
Foo foo;
std::cout << foo.*std::get<0>(members) << " " << foo.*std::get<2>(members) << std::endl;
答案 1 :(得分:1)
(我首先要同意@MarekR的评论,您的问题很可能是"XY problem",而您实际上根本不想这样做……但仍然:)
这是一个有趣的挑战,并且“疯狂的天才”安东尼·波卢欣(Antony Polukhin)在他的magic_get库中已解决了这一挑战-前提是您使用的是C ++ 14语言标准或更高版本。
>实际上不需要存储任何东西!结构定义本身具有您需要的所有信息。因此,当您编写:
#include <iostream>
#include <string>
#include "boost/pfr.hpp" // <- Not formally a part of Boost, yet...
// you'll need to download the library from github
struct Foo {
int a = 42;
int b = 16;
std::string str = "hi";
};
int main() {
Foo my_foo;
std::cout
<< "a is " << boost::pfr::get<0>(my_foo) << ", "
<< "b is " << boost::pfr::get<1>(my_foo) << ", "
<< "and str is \"" << boost::pfr::get<2>(my_foo) << "\".\n";
}
您得到:
a is 42, b is 16, and str is "hi".
就像您想要的那样。
要了解到底发生了什么以及这种黑魔法来自何处,请观看安东尼在2018年的讲话:
Better C++14 reflections - Antony Polukhin - Meeting C++ 2018
答案 2 :(得分:0)
尽量不要在结构体内部使用string
作为指针,因为它不会指向任何内容。相反,您可以像这样简单地使用:
std::cout << foo.str << std::endl;
它也会输出您的字符串。