C ++在哪里初始化静态const


129

我有一堂课

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

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

Answers:


178

港九一个编译单元(通常.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在类定义(如jis)之外定义。有关详细信息,请参见下面的David评论。


27
我已经投票赞成,但是在查看标准后,您的代码中有错误:i必须在cpp中定义。§9.4.2/ 4 如果静态数据成员是const整型或const枚举类型,则其在类定义中的声明可以指定一个常量初始化器,该初始化器应为整数常量表达式(5.19)。在这种情况下,成员可以出现在整数常量表达式中。如果在程序中使用了该成员,则该成员仍应在名称空间范围内进行定义,并且名称空间范围定义不应包含初始化程序。
大卫·罗德里格斯(DavidRodríguez)-dribeas 2010年

3
根据您对标准的引用,似乎只有在整数常数表达式以外的其他地方使用它时才i需要定义它,对吗?在这种情况下,您不能说存在错误,因为没有足够的上下文可以确定-或严格地说,如果没有其他代码,则上面的示例是正确的。现在,我很感谢您的评论(+1),我仍然在学习自己的东西!因此,我将尝试在答案中阐明这一点,请让我知道是否更好……
squelart 2010年

@squelart对不起,如果我听起来很愚蠢,但是除了整数常量表达式以外的语句示例会是吗?
萨克斯姆(Saksham)2013年

3
@Saksham例如,调用一个函数,例如:int f() { return 42; } class foo { static const int i = f(); /* Error! */ }请注意,C ++ 11允许调用'constexpr'函数:constexpr int f() { return 42; } class foo { static const int i = f(); /* Ok */ }
squelart 2013年

@squelart我阅读了这篇文章,以便在完全使用该成员的情况下必须提供定义-标准中的措词并不将该要求限于整数常量表达式。
VladLosev

12

静态成员需要在文件范围或相应命名空间中的.cpp转换单元中初始化:

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

11

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

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

8

从C ++ 17开始,内联说明符也适用于变量。您现在可以在类定义中定义静态成员变量:

#include <string>

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

1

static const int ARRAYSIZE在头文件中仅初始化整数值(例如),因为它们通常在类头中用于定义某些内容,例如数组的大小。非整数值在实现文件中初始化。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.