我有一个班级
class foo {
public:
foo();
foo( int );
private:
static const string s;
};
在源文件中初始化字符串s
的最佳位置在哪里?
答案 0 :(得分:163)
一个编译单元(通常是.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
is),如果它在代码中使用而不仅仅是整数常量表达式。有关详细信息,请参阅下面的David的评论。
答案 1 :(得分:12)
静态成员需要在文件范围或相应命名空间的.cpp转换单元中初始化:
const string foo::s( "my foo");
答案 2 :(得分:9)
在同一命名空间内的翻译单元中,通常位于顶部:
// 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;
}
答案 3 :(得分:2)
自C ++ 17起,内联说明符也适用于变量。现在,您可以在类定义中定义静态成员变量:
#include <string>
class foo {
public:
foo();
foo( int );
private:
inline static const std::string s { "foo" };
};
答案 4 :(得分:1)
只有整数值(例如static const int ARRAYSIZE
)在头文件中初始化,因为它们通常在类头中用于定义诸如数组大小之类的内容。非整数值在实现文件中初始化。