在我的C ++代码中,我有一个Matrix类,并且编写了一些运算符来将它们相乘。我的类是模板化的,这意味着我可以有int,float,double ... matrices。
我的操作员超载是经典的我猜
template <typename T, typename U>
Matrix<T>& operator*(const Matrix<T>& a, const Matrix<U>& b)
{
assert(a.rows() == b.cols() && "You have to multiply a MxN matrix with a NxP one to get a MxP matrix\n");
Matrix<T> *c = new Matrix<T>(a.rows(), b.cols());
for (int ci=0 ; ci<c->rows() ; ++ci)
{
for (int cj=0 ; cj<c->cols() ; ++cj)
{
c->at(ci,cj)=0;
for (int k=0 ; k<a.cols() ; ++k)
{
c->at(ci,cj) += (T)(a.at(ci,k)*b.at(k,cj));
}
}
}
return *c;
}
在此代码中,我返回与第一个参数相同类型的矩阵,即Matrix<int> * Matrix<float> = Matrix<int>
。我的问题是如何才能检测到两者中最精确的类型,而不是失去太多的精度,即Matrix<int> * Matrix<float> = Matrix<float>
?有聪明才能做到吗?
答案 0 :(得分:9)
您想要的只是将T
乘以U
时发生的类型。这可以通过以下方式给出:
template <class T, class U>
using product_type = decltype(std::declval<T>() * std::declval<U>());
您可以将其用作额外的默认模板参数:
template <typename T, typename U, typename R = product_type<T, U>>
Matrix<R> operator*(const Matrix<T>& a, const Matrix<U>& b) {
...
}
在C ++ 03中,您可以通过执行一系列重载的大量重载来实现相同的功能(这就是Boost的工作方式):
template <int I> struct arith;
template <int I, typename T> struct arith_helper {
typedef T type;
typedef char (&result_type)[I];
};
template <> struct arith<1> : arith_helper<1, bool> { };
template <> struct arith<2> : arith_helper<2, bool> { };
template <> struct arith<3> : arith_helper<3, signed char> { };
template <> struct arith<4> : arith_helper<4, short> { };
// ... lots more
然后我们可以写:
template <class T, class U>
class common_type {
private:
static arith<1>::result_type select(arith<1>::type );
static arith<2>::result_type select(arith<2>::type );
static arith<3>::result_type select(arith<3>::type );
// ...
static bool cond();
public:
typedef typename arith<sizeof(select(cond() ? T() : U() ))>::type type;
};
假设您写出了所有整数类型,那么您可以在使用typename common_type<T, U>::type
之前使用product_type
。
如果这不是C ++ 11酷炫的证明,我不知道是什么。
注意,operator*
不应该返回引用。你正在做的事情会泄漏记忆。