1

考虑以下代码:

// Preamble
#include <iostream>
#include <type_traits>

// Wrapper
template <class From>
struct wrapper
{
    // Implicit conversion
    template <class To, class = typename std::enable_if<
        std::is_convertible<From, To>::value
    >::type>
    constexpr operator To() const noexcept;

    // Explicit conversion
    template <class To, class = typename std::enable_if<
        !std::is_convertible<From, To>::value
        && std::is_constructible<To, From>::value
    >::type>
    explicit constexpr operator To() const noexcept;
};

// Main
int main(int argc, char* argv[])
{
    wrapper<int> x;
    double y = x;
    return 0;
}

理想情况下,此代码将使转换运算符隐式 whenFrom可隐式转换为To,并使转换运算符显式 whenTo可显式构造 from From

但是,代码当前无法编译,因为从编译器的角度来看,两个转换运算符具有相同的签名。

问题:是否有任何方法可以欺骗编译器以产生预期的行为?


答案:基于Quentin答案的完整代码:

// Preamble
#include <iostream>
#include <type_traits>

// Wrapper
template <class From>
struct wrapper
{
    // Implicit conversion
    template <class To, typename std::enable_if<
        std::is_convertible<From, To>::value,
    int>::type = 0>
    constexpr operator To() const noexcept(noexcept(From{})) {
        return From{};
    }

    // Explicit conversion
    template <class To, typename std::enable_if<
        !std::is_convertible<From, To>::value
        && std::is_constructible<To, From>::value,
    int>::type = 0>
    explicit constexpr operator To() const noexcept(noexcept(From{})) {
        return From{};
    }
};

// Main
int main(int argc, char* argv[])
{
    wrapper<int> x;
    double y = x;
    return 0;
}
4

1 回答 1

3

是的,只需将您的class = typename std::enable_if<...>::type模式替换为typename std::enable_if<..., int>::type = 0. 然后 SFINAE 参数是不同类型的非类型模板参数,并且函数正确重载。

于 2018-10-29T15:40:29.343 回答