在哪里初始化静态常量

我还有课

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

在源文件中哪里是初始化字符串 s的最佳位置?

185708 次浏览

在同一名称空间内的翻译单元中,通常在顶部:

// 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;
}

静态成员需要在文件作用域的. cpp 翻译单元或适当的名称空间中进行初始化:

const string foo::s( "my foo");

编译单元中的任何地方(通常是. cpp 文件)都可以:

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而不仅仅是整数常量表达式,则必须在类定义之外定义 i(就像 j一样)。有关详细信息,请参阅下面 David 的评论。

只有整数值(例如 static const int ARRAYSIZE)在头文件中被初始化,因为它们通常在类头中用来定义一些东西,比如数组的大小。非整数值在实现文件中初始化。

因为 C + + 17,内嵌式说明符也适用于变量。你现在可以在类定义中定义静态成员变量:

#include <string>


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