可以将文章内容翻译成中文,广告屏蔽插件可能会导致该功能失效(如失效,请关闭广告屏蔽插件后再试):
问题:
I am having trouble initializing a constant array of constant strings.
From week.h (showing only relevant parts):
class Week { private: static const char *const *days = { "mon", "tue", "wed", "thur", "fri", "sat", "sun" }; };
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?
回答1:
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. Iside the class definition, leave only this:
static const char * const days[]; //declaration
Then, in the .cpp file, write the definition
const char * const Week::days[] = {"mon", "tue", "wed", "thur", "fri", "sat", "sun"};
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"};
回答2:
For C++11, you can make the initialisation inside your class declaration, in your .h file. However, you will need to include constexpr in your .cpp file too. Example for the case above:
In your week.h file, write:
class Week { public: static const constexpr char* const days[] = { "mon", "tue", "wed", "thur","fri", "sat", "sun" }; };
In your week.cpp file, write somewhere:
constexpr const char* const Week::days[];
Make sure you enable C++11, e.g. compile with
g++ -std=c++11 week.cpp