为什么decltype(*此)不会返回正确的类型?(Why does decltype(*this)

2019-08-17 05:39发布

下面的代码用VC ++ 2012年11月CTP编译。 但是,编译器给了一个警告。

我只是想知道这是否是VC ++ 2012年11月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(); 
}

Answer 1:

decltype应用到这不是一个id表达给你一个参考的表达,所以decltype(*this)已经是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)



文章来源: Why does decltype(*this) not return the correct type?