已經編寫了一個算術包裝器,它可以幫助檢測溢出/下溢錯誤,但是在流程中存在一個相當迂迴的問題。更改模板返回類型似乎對超載分辨率有影響
假設我們有一個類,它處理所有能夠通過一些重載操作符導致溢出的類,並且可以隱式轉換爲其他所有類型的基礎類型。這個例子只包含一個二進制加法運算:
template<typename T_>
class Wrapper
{
public:
Wrapper(T_ val_) : m_value(val_) { } // converting constructor
operator T_(void) const { return m_value; } // underlying type conversion
// some other methods
// binary plus operators:
template<typename U_>
const Wrapper<decltype(T_() + U_())> operator +(U_ val_) const
{
// supposed to handle 'Wrapped + Unwrapped' case
return m_value + val_;
}
template<typename U_>
const Wrapper<decltype(T_() + U_())> operator +(Wrapper<U_> other_) const
{
// supposed to handle 'Wrapped + Wrapped' case
return m_value + other_.m_value;
}
template<typename U0_, typename U1_>
friend const Wrapper<decltype(U0_() + U1_())> operator +(U0_ val_, Wrapper<U1_> wrapper_)
{
// supposed to handle 'Unwrapped + Wrapped' case
return val_ + wrapper_.m_value;
}
private:
T_ m_value;
};
這(如果我沒有錯過的東西,而在這裏將其粘貼)編譯罰款,並預期於以下情況的工作 (他們中的每一個可能,基本上) :
Wrapper<int> val = 3.14f;
::std::cout << val + 42 << ::std::endl; // Wrapped + Unwrapped
::std::cout << 42 + val << ::std::endl; // Unwrapped + Wrapped
::std::cout << val + val << ::std::endl; // Wrapped + Wrapped
然而,每當我試圖建立一個別名的decltype(...)
部分無論是「纏+無包裝」或「無包裝+裹」例如像這樣:
template<typename T0_, typename T1_>
struct Result
{
typedef decltype(T0_() + T1_()) Type;
};
template<typename T_>
class Wrapper
{
//...
template<typename U_>
const Wrapper<typename Result<T_, U_>::Type> operator +(U_ val_) const
//...
template<typename U0_, typename U1_>
friend const Wrapper<typename Result<U0_, U1_>::Type> operator +(U0_ val_, Wrapper<U1_> wrapper_)
//...
};
'Wrapped + Wrapped'示例不想編譯,因爲重載解析似乎會改變爲不需要的變體。它拋出一個關於Wrapper<int>
的默認構造函數不可用的錯誤,暗示試圖使用'Wrapped + Unwrapped'或'Unwrapped + Wrapped',兩者都不適合正確處理有問題的案例。
這讓我非常困惑,因爲它看起來像返回類型中的變化導致重載解析行爲的變化。將感謝有關此事的任何建議。
的不良超載被SFINAE'd走;現在它們不是,因爲潛在的無效表達式已經被移入「結果」的定義中並且在緊接的上下文之外。 –
所以我錯了,首先假定'Wrapped + Wrapped'變體將被視爲更適合於解決這種情況下的超負荷問題。謝謝你的答案。 – so100217
它可能是一個更好的超載(由於偏序排序等),但你甚至沒有達到:你試圖形成一組候選人時觸發了一個嚴重的錯誤。 –