提问人:exocortex 提问时间:5/3/2021 最后编辑:Peter Mortensenexocortex 更新时间:5/4/2021 访问量:834
从模板成员类型派生模板化类的成员变量类型
Derive a templated class' member variable type from a template member type
问:
标题可能看起来有点令人困惑,所以这里有一个更彻底的解释:
我有一个模板化类,它有一个向量作为成员变量。模板参数是一个结构(或类),它将有一个特定的变量。此向量的类型应从模板参数(从这个特定变量)派生。棘手的部分是它应该从模板参数的成员变量派生。
#include <vector>
#include <complex>
using namespace std;
struct thingA {
double variable;
//...
};
struct thingB {
complex<double> variable;
//...
};
template <class S>
class someClass {
vector< " type of S::variable " > history; // If S=thingA, make it a double, if S=tingB make it a complex<double>
}
// Usage:
someClass<thingA> myInstanceA; // (this instance should now have a vector<double>)
someClass<thingB> myInstanceB; // (this instance should now have a vector<complex<double>>)
答:
14赞
mch
5/3/2021
#1
我会在 s 中定义类型并在 :struct
class
#include <vector>
#include <complex>
using namespace std;
struct thingA {
using Type = double;
Type variable;
//...
};
struct thingB {
using Type = complex<double>;
Type varbiable;
//...
};
template <class S>
class someClass {
vector<typename S::Type> history; // if S=thingA, make it a double, if S=tingB make it a complex<double>
};
// usage:
someClass<thingA> myInstanceA; // (this instance should now have a vector<double>)
someClass<thingB> myInstanceB; // (this instance should now have a vector<complex<double>>)
https://godbolt.org/z/raE9hbnqW
当变量名称不相同时,这也是要走的路。
评论
4赞
exocortex
5/3/2021
这很有帮助!谢谢。这实际上是我在我的计划中要走的路。虽然松元瑶的回答更符合我原来的(更笼统的)问题。谢谢。我非常喜欢stackoverflow!
17赞
songyuanyao
5/3/2021
#2
如果数据成员的名称始终相同,则可以通过 获取类型:decltype
template <class S>
class someClass {
vector< decltype(S::variable) > history; // if S=thingA, make it a double, if S=tingB make it a complex<double>
};
评论