36

我正在尝试在我的类中创建一个静态字符串:(在我的头文件中)

static string description = "foo";

但我收到此错误:

IntelliSense: a member with an in-class initializer must be const

如果我将其更改为:

static const string description = "foo";

我收到了这个错误:

IntelliSense: a member of type "const std::string" cannot have an in-class initializer

我做错什么了?

4

4 回答 4

33

您可以做的是在标头中声明字符串并在 .cpp 中对其进行初始化。

在 MyClass.h

#include <string>
class MyClass
{
  static std::string foo;
}

在 MyClass.cpp 中

#include "MyClass.h"
std::string MyClass::foo = "bar"
于 2012-11-07T17:25:33.893 回答
12

忽略特定的错误消息,核心问题是您试图在声明中初始化静态成员属性,而通常应该在定义中完成。

// header
struct test {
  static std::string x;
};
// single cpp
std::string test::x = "foo";

现在回到错误消息。在 C++03 标准中有一个例外,它允许为常量整数类型的声明提供初始化程序,以便该值可以在包含标头的所有翻译单元中可见,因此可以用作常量表达式:

// header
struct test {
   static const int size = 10;
};
// some translation unit can do
struct A {
   int array[test::size];
};

如果该值是在变量的定义中定义的,那么编译器只能在该单个翻译单元中使用它。似乎您的编译器正在执行两项测试,一项针对 const-ness,另一项针对积分部分,因此有两条错误消息。

可能影响编译器设计的另一件事是 C++11 标准允许在类的非静态成员的声明中使用初始化器,然后将在每个不提供该字段的值:

struct test {
   int a = 10;
   int b = 5;
   test() : a(5) // b(5) implicitly generated
   {} 
};

这与您的特定问题无关,因为您的成员是静态的,但它可能解释了为什么编译器中的测试按原样拆分。

于 2012-11-07T17:28:23.647 回答
4

将声明与定义分开。在头文件中,执行以下操作:

static string description;

然后在一个翻译单元(一个 CPP 文件)中,执行以下操作:

string type::description = "foo";
于 2012-11-07T17:27:46.570 回答
0

我不知道静态成员和常量成员之间究竟需要什么。静态成员将与类本身相关联,而不是与实例相关联,而常量成员与实例相关联并且是常量。

但是,这可能与此重复

问候

于 2012-11-07T17:32:53.280 回答