我正在尝试找到在模板类方法中使用常量数字文字的解决方案。我正在制作一些与浮点或双精度类型一起使用的数学模板类。问题是文字因数据类型而异(例如,浮点数为“0.5f”,双精度数为“0.5”)。到目前为止,我提出了两个解决方案。第一个的一些假设代码:
template <typename T>
class SomeClass
{
public:
T doSomething(T x);
};
template <>
float SomeClass<float>::doSomething(float x)
{
float y = 0.5f;
/*
* Do computations...
*/
return x;
}
template <>
double SomeClass<double>::doSomething(double x)
{
double y = 0.5;
/*
* Do computations...
*/
return x;
}
上面的方法强制为其使用的每种类型重写整个方法。
另一种方法:
template <typename T>
class SomeClass
{
public:
T doSomething(T x);
private:
T getValue();
};
template <typename T>
T SomeClass<T>::doSomething(T x)
{
T y = getValue();
/*
* Do computations...
*/
return x;
}
template <>
float SomeClass<float>::getValue()
{
return 0.5f;
}
template <>
double SomeClass<double>::getValue()
{
return 0.5;
}
这不需要为特定类型多次编写相同的方法,但需要为每个需要在方法内部使用的“幻数”有很多 getValue() 方法。
还有另一种“更优雅”的方法来解决这个问题吗?