web-dev-qa-db-ja.com

静的constを初期化するC ++

クラスがあります

class foo {
public:
   foo();
   foo( int );
private:
   static const string s;
};

ソースファイル内の文字列sを初期化する最適な場所はどこですか?

117
Thomas

oneコンパイル単位(通常は.cppファイル)のどこでも:

foo.h

class foo {
    static const string s; // Can never be initialized here.
    static const char* cs; // Same with C strings.

    static const int i = 3; // Integral types can be initialized here (*)...
    static const int j; //     ... OR in cpp.
};

foo.cpp

#include "foo.h"
const string foo::s = "foo string";
const char* foo::cs = "foo C string";
// No definition for i. (*)
const int foo::j = 4;

(*)標準に従って、クラス定数の外部でiを定義する必要があります(たとえば、jは整数定数式以外のコードで使用される場合)。詳細については、以下のデビッドのコメントを参照してください。

167
squelart

静的メンバーは、ファイルスコープの.cpp変換ユニットまたは適切なネームスペースで初期化する必要があります。

const string foo::s( "my foo");
12
Michael Burr

同じ名前空間内の、通常は最上部の翻訳単位内:

// foo.h
struct foo
{
    static const std::string s;
};

// foo.cpp
const std::string foo::s = "thingadongdong"; // this is where it lives

// bar.h
namespace baz
{
    struct bar
    {
        static const float f;
    };
}

// bar.cpp
namespace baz
{
    const float bar::f = 3.1415926535;
}
10
GManNickG

整数値(たとえば、static const int ARRAYSIZE)のみがヘッダーファイルで初期化されます。これらは通常、配列のサイズなどを定義するためにクラスヘッダーで使用されるためです。非整数値は実装ファイルで初期化されます。

1
Behnam Dezfouli

C++ 17以降、inline指定子も変数に適用されます。クラス定義で静的メンバー変数を定義できるようになりました。

#include <string>

class foo {
public:
   foo();
   foo( int );
private:
   inline static const std::string s { "foo" };
};
0
plexando