C++模板自动类型升级

C++ template automatic type promotion

本文关键字:类型 C++      更新时间:2023-10-16
template <class T>
class Foo {
public:
    T val;
    Foo(T _v): val(_v){}
    friend ostream& operator<< (ostream& out, const Foo& A) {
        out << A.val;
        return out;
    }
};
template <class X, class Y> Foo<???> operator+(const Foo<X>& A, const Foo<Y> & B) {
    if (sizeof(X) > sizeof (Y))
        return Foo<X>(A.val + B.val);
    else
        return Foo<Y>(A.val + B.val);
}
int main() {
    Foo<double> a(1.5);
    Foo<int> b(2);
    cout << a << endl;
    cout << b << endl;
    cout << a+b << endl;
}

我的目标是让 operator+ 函数根据参数的类型返回不同的类型。

例如,如果 a int 并且 b int则返回 Foo<int> ,如果其中一个或两个都double则返回 Foo<double>

可以做到吗?

(C++11(:在dectype中使用declval表达式:

#include <utility>
template <class X, class Y> 
Foo<decltype(std::declval<X>() + std::declval<Y>())> operator+(...);

使用部分模板专用化可以(在 C++03 或 C++11 中(做到这一点。

// C++ does not allow partial specialization of function templates,
// so we're using a class template here.
template <typename X, typename Y, bool xLarger>
struct DoPlusImpl // When x is selected
{
    typedef Foo<X> result_type;
};
template <typename X, typename Y>
struct DoPlusImpl<X, Y, false> // When y is selected
{
    typedef Foo<Y> result_type;
};
template <typename X, typename Y> // Select X or Y based on their size.
struct DoPlus : public DoPlusImpl<X, Y, (sizeof (X) > sizeof (Y))>
{};
// Use template metafunction "DoPlus" to figure out what the type should be.
// (Note no runtime check of sizes, even in nonoptimized builds!)
template <class X, class Y>
typename DoPlus<X, Y>::result_type operator+(const Foo<X>& A, const Foo<Y> & B) {
     return typename DoPlus<X, Y>::result_type
         (A.val + B.val);
}

您可以在 IDE 上看到此操作 此处 -> http://ideone.com/5YE3dg

是的

!如果您想给出自己的规则,请按以下方法:

template <typename X, typename Y> struct Rule {};
template<> struct Rule<int, int> { typedef int type;};
template<> struct Rule<float, int> { typedef bool type;};

然后

template <class X, class Y> Foo<typename Rule<X, Y>::type> operator+(...)