8

以下代码使用 VC++ Nov 2012 CTP 编译。但是编译器给出了警告。

我只是想知道这是否是 VC++ Nov 2012 CTP 的错误。

struct A
{
    int n;

    A(int n)
        : n(n)
    {}

    int Get() const
    {
        return n;
    }

    int Get()
    {
        //
        // If using "static_cast<const A&>(*this).Get();" instead, then OK.
        //
        return static_cast<const decltype(*this)&>(*this).Get(); // Warning!
    }
};

int main()
{
    A a(8);

    //
    // warning C4717: 'A::Get' : recursive on all control paths,
    // function will cause runtime stack overflow
    //
    a.Get(); 
}
4

1 回答 1

17

decltype应用于不是 id-expression 的表达式会给你一个参考,所以decltype(*this)is already A&,你不能再做const一次。如果你真的想使用decltype,你可以这样做:

static_cast<std::decay<decltype(*this)>::type const &>(*this)

甚至这样:

static_cast<std::add_lvalue_reference<
                 std::add_const<
                      std::decay<decltype(*this)>::type
                 >::type
            >::type
>(*this)

当然,直接说要简单得多static_cast<A const &>(*this)

于 2013-02-28T11:00:51.433 回答