注意:这个问题中提供的示例不是生产代码,根本没有任何意义。它只是为了说明我的问题。
我正在测试 的可能性decltype
,特别是如果它用于推断函数参数类型,并且遇到了问题:
假设有两个类的结构如下:
struct ClassInt
{
// Note: no default ctor
ClassInt(int value)
: m_Value(value)
{}
int m_Value;
};
struct ClassDouble
{
// Note: no default ctor
ClassDouble(double value)
: m_Value(value)
{}
double m_Value;
};
现在,我编写了一个函数,它(以某种方式)通过字符串检索类型参数(应该是上述之一)的实例,并将给定值分配给它的m_Value
成员:
template< typename Ty >
Ty* get_fake_ptr() { return nullptr; }
// Retrieve pointer to Ty object by name and assign its value member.
// The problem is that we don't actually have an instance of Ty at the point
// where we want to define the type of the parameter "value".
template< typename Ty >
void assign(std::string name, decltype(get_fake_ptr<Ty>()->m_Value) value)
{
// Somehow get pointer to a Ty object by name
Ty* obj = ????;
// Assign
obj->m_Value = value;
}
现在,参数value
的类型取决于类型参数,因为使用的类在成员的类型上有所不同m_Value
。如您所见,我使用decltype
. 现在,通常,您会decltype
在参数上使用,如下所示:
template<typename Ty>
void assign(Ty& obj, decltype(obj.m_Value) value);
但这显然在这里是不可能的,因为实际实例是在函数体中检索的,因此在声明函数参数时不可用。
get_fake_ptr
我通过使用仅返回匹配类型的模板函数将它一起破解,nullptr
因此我有一个编译器可以用来确定成员类型的“伪实例”。它有效:
现在,正如我所说,这对我来说似乎真的很老套。所以:
有没有更好的方法来解决这个问题?
谢谢!