一个类不能有自己的静态constexpr成员实例吗?

时间:2016-03-03 18:32:44

标签: c++ c++11 static-members

此代码为我提供了不完整类型错误。 问题是什么?一个类不允许拥有静态成员实例吗? 有没有办法达到同样的效果?

...$ python -c 'import matplotlib; matplotlib.__file__'

3 个答案:

答案 0 :(得分:58)

允许类 具有相同类型的静态成员。但是,在定义结束之前,类是不完整的,并且对象不能定义且类型不完整。您可以声明具有不完整类型的对象,并在稍后完成的位置(在课堂外)定义它。

struct Size
{
    const unsigned int width;
    const unsigned int height;

    static const Size big;
    static const Size small;

private:

    Size( ) = default;
};

const Size Size::big = { 480, 240 };
const Size Size::small = { 210, 170 };

在此处查看:http://coliru.stacked-crooked.com/a/f43395e5d08a3952

但这对constexpr成员无效。

答案 1 :(得分:39)

  

有没有办法达到同样的效果?

通过"相同的结果",您是否明确打算constexpr - Size::bigSize::small?在这种情况下,这可能足够接近:

struct Size
{
    const unsigned int width = 0;
    const unsigned int height = 0;

    static constexpr Size big() {
        return Size { 480, 240 };
    }

    static constexpr Size small() {
        return Size { 210, 170 };
    }

private:

    constexpr Size() = default;
    constexpr Size(int w, int h )
    : width(w),height(h){}
};

static_assert(Size::big().width == 480,"");
static_assert(Size::small().height == 170,"");

答案 2 :(得分:-1)

作为解决方法,您可以使用单独的基类,在派生类中定义常量时,该定义是完整的。

struct size_impl
{
//data members and functions here
    unsigned int width;
    unsigned int height;
};


struct size:  public size_impl
{
//create the constants as instantiations of size_impl
    static constexpr size_impl big{480,240};
    static constexpr size_impl small{210,170};

//provide implicit conversion constructor and assignment operator
    constexpr size(const size_impl& s):size_impl(s){}
    using size_impl::operator=;

//put all other constructors here
};

//test:
constexpr size a = size::big;

如果需要,可以将基类放在单独的命名空间中以隐藏其定义。

代码使用clang和gcc编译