为什么这个显式转换运算符适用于g ++而不适用于Visual Studio 2013?

时间:2014-03-24 08:08:01

标签: c++ gcc c++11 visual-studio-2013 explicit-conversion

以下示例包含两个模板化类,用于表示度和弧度,并使用显式转换运算符在它们之间进行转换。它使用g ++(ideone link)进行编译和运行,但不使用带有Visual C++ Compiler Nov 2013 CTP (CTP_Nov2013)的Visual Studio 2013作为平台工具集。

#include <iostream>

static const double PI = 3.14159265358979323846;

// Forward declarations
template< typename T > class radians;
template< typename T > class degrees;

template< typename T >
class degrees
{
    public:
        degrees(const T value)
            : value_(value)
        {}

        template< typename U >
        explicit operator U() const
        {
            return value_ * PI / 180.0;
        }

        T value() const { return value_; }

    private:
        T value_;
};

template< typename T >
class radians
{
    public:
        radians(const T value)
            : value_(value)
        {}

        template< typename U >
        explicit operator U() const
        {
            return (value_* 180.0) / PI;
        }

        T value() const { return value_; }

    private:
        T value_;
};

template< typename T >
std::ostream& operator<<(std::ostream& out, const radians<T>& r)
{
    return out << r.value() << "r";
}

template< typename T >
std::ostream& operator<<(std::ostream& out, const degrees<T>& r)
{
    return out << r.value() << "d";
}


int main()
{
    using degs = degrees<float>;
    using rads = radians<float>;

    auto d = degs{10};
    auto r = static_cast<rads>(d);

    std::cout << d << std::endl;
    std::cout << r << std::endl;

    return 0;
}

Visual Studio错误输出:

error C2440: 'static_cast' : cannot convert from 'degrees<float>' to 'rads' degrad.cpp  69  1   degrad
error C3536: 'r': cannot be used before it is initialized   degrad.cpp  72  1   degrad

怎么了? 为什么它适用于g ++但不适用于Visual Studio 2013?哪种编译器正在做正确的事情?

1 个答案:

答案 0 :(得分:7)

不接受所述代码段的编译器有问题,提供的代码是合法的,在编译期间不应产生致命的诊断。换一种说法; msvc做错了


标准的相关部分

  

12.3.2 转换功能 [class.conv.fct]

     
    

2 一个函数可能是explicit(7.1.2),在这种情况下,它只被视为直接初始化的用户定义转换(8.5)。否则,用户定义的转换不限于在分配和初始化中使用。

  

  

8.5 初始化程序 [dcl.init]

     
    

16 表单中出现的初始化

         

T x(a);
       T x {a};

         

以及new表达式(5.3.4),static_cast表达式(5.2.9),功能表示法类型转换(5.2.3)以及基本和成员初始值设定项(12.6.2) )被称为直接初始化

  

我如何处理MSVC++出现故障?

  • 使用typedef radians<float> rads;代替using,并使用;

    • 转换功能中移除explicit,或者

    • 使用auto r = rads { d }auto r = rads (d);初始化您的变量。