8

これが私が試していることです。MinGW g++ 4.7.0。

#include <iostream>
#include <string>

class Fruit
{
public:
    enum Value { APPLE, ORANGE, BANANA, NONE };
    static const Value VALUES[4] = { APPLE, ORANGE, BANANA, NONE };
    Fruit (Value v = NONE) : v_(v) { };
    std::string to_string () const {
        switch (v_) {
            case APPLE: return "apple";
            case ORANGE: return "orange";
            case BANANA: return "banana";
            default: return "none";
        }
    }
private:
    Value v_;
};

int main (int argc, char * argv[])
{
    for (Fruit f : Fruit::VALUES)
        std::cout << f.to_string() << std::endl;
    return 0;
}

コンパイルしてみると、以下の出力が得られます。

>g++ -std=c++0x test.cpp
test.cpp:9:66: error: 'constexpr' needed for in-class initialization of static d
ata member 'const Fruit::Value Fruit::VALUES [4]' of non-integral type [-fpermis
sive]


>g++ -std=c++0x -fpermissive test.cpp
test.cpp:9:66: warning: 'constexpr' needed for in-class initialization of static
 data member 'const Fruit::Value Fruit::VALUES [4]' of non-integral type [-fperm
issive]
cc1l4Xgi.o:test.cpp:(.text+0x1a): undefined reference to `Fruit::VALUES'
collect2.exe: error: ld returned 1 exit status

C++ 11 は、このようなクラスで静的 const 配列を初期化できるはずですか? それとも、C++11 以前のようにクラスの外で定義する必要がありますか?

4

1 に答える 1

17

test.cpp:9:66: エラー: 非整数型 [-fpermis sive] の静的データ メンバー 'const Fruit::Value Fruit::VALUES [4]' のクラス内初期化に 'constexpr' が必要です

コンパイラは何が欠けているかを伝えました:

class Fruit
{
public:
    enum Value { APPLE, ORANGE, BANANA, NONE };
    static constexpr Value VALUES[4] = { APPLE, ORANGE, BANANA, NONE };
    //     ^^^^^^^^^
...
};

cc1l4Xgi.o:test.cpp:(.text+0x1a): `Fruit::VALUES' への未定義の参照

リンカーを満足させるには、次の行をソース ファイル (ヘッダー ファイルではなく) のどこかに追加する必要があります。

constexpr Fruit::Value Fruit::VALUES[4];

編集: c++17 以降、インライン変数があり、各 constexpr 変数がインラインであるため、C++17 では問題が解決されます。

于 2012-11-05T00:05:56.243 に答える