在 C++ 中初始化常量字符串的静态常量数组

我在初始化常量字符串的常量数组时遇到问题.

I am having trouble initializing a constant array of constant strings.

来自 week.h(仅显示相关部分):

From week.h (showing only relevant parts):

class Week {
  private:
    static const char *const *days = { "mon", "tue", "wed", "thur",
                                       "fri", "sat", "sun" };
};

编译时出现错误标量初始值设定项中的元素过多".我试着让它输入 const char **,以为我搞砸了第二个 const 位置,但我得到了同样的错误.我做错了什么?

When I compile I get the error "excess elements in scalar initializer". I tried making it type const char **, thinking I messed up the 2nd const placement, but I got the same error. What am I doing wrong?

推荐答案

首先,你需要一个数组,而不是一个指针.

First of all, you need an array, not a pointer.

static const char * const days[] = {"mon", "tue", "wed", "thur",
                                       "fri", "sat", "sun"};

其次,你不能直接在类定义中初始化它.在类定义中,只留下这个:

Second of all, you can't initialize that directly inside the class definition. Inside the class definition, leave only this:

static const char * const days[]; //declaration

然后,在.cpp文件中,写入定义

Then, in the .cpp file, write the definition

const char * const Week::days[] = {"mon", "tue", "wed", "thur",
                                       "fri", "sat", "sun"};

C++11 更新现在可以直接在类定义中初始化成员:

Update for C++11 Now you can initialize members directly in the class definition:

const char * const days[] = {"mon", "tue", "wed", "thur",
                                       "fri", "sat", "sun"};

相关文章