22

这与其他一些问题有关,例如:this和我的其他一些问题。

这个问题和其他问题中,我们看到我们可以在一个不错的步骤中声明和初始化字符串数组,例如:

const char* const list[] = {"zip", "zam", "bam"}; //from other question

这可以在没有麻烦的函数实现中完成,也可以在任何范围之外的 .cpp 文件的主体中完成。

我想要做的是将这样的数组作为我正在使用的类的成员,如下所示:

class DataProvider : public SomethingElse
{
    const char* const mStringData[] = {"Name1", "Name2", "Name3", ... "NameX"};

public:
    DataProvider();
    ~DataProvider();

    char* GetData()
    {
        int index = GetCurrentIndex(); //work out the index based on some other data
        return mStringData[index]; //error checking and what have you omitted
    }

};

但是,编译器抱怨,我似乎无法弄清楚为什么。是否可以在类定义的一个步骤中声明和初始化这样的数组?有没有更好的替代品?

4

3 回答 3

18

使用关键字 static 和外部初始化使数组成为类的静态成员:

在头文件中:

class DataProvider : public SomethingElse
{
    static const char* const mStringData[];

public:
    DataProvider();
    ~DataProvider();

    const char* const GetData()
    {
        int index = GetCurrentIndex(); //work out the index based on some other data
        return mStringData[index]; //error checking and what have you omitted
    }

};

在 .cpp 文件中:

const char* const DataProvider::mStringData[] = {"Name1", "Name2", "Name3", ... "NameX"};
于 2008-11-12T18:29:41.510 回答
3

这在 C++ 中是不可能的。您不能直接初始化数组。相反,您必须给它它的大小(在您的情况下为 4),并且您必须在 DataProvider 的构造函数中初始化数组:

class DataProvider {
    enum { SIZEOF_VALUES = 4 };
    const char * values[SIZEOF_VALUES];

    public:
    DataProvider() {
        const char * const v[SIZEOF_VALUES] = { 
            "one", "two", "three", "four" 
        };
        std::copy(v, v + SIZEOF_VALUES, values);
    }
};

请注意,您必须放弃数组中指针的常量性,因为您无法直接初始化数组。但是您需要稍后将指针设置为正确的值,因此指针需要是可修改的。

如果数组中的值仍然是 const,则唯一的方法是使用静态数组:

/* in the header file */
class DataProvider {
    enum { SIZEOF_VALUES = 4 };
    static const char * const values[SIZEOF_VALUES];
};

/* in cpp file: */

const char * const DataProvider::values[SIZEOF_VALUES] = 
    { "one", "two", "three", "four" };

拥有静态数组意味着所有对象都将共享该数组。因此,您也将节省内存。

于 2008-11-12T18:25:48.290 回答
3

你不能像这样声明你的数组 (const char* []) 的原因是:

  • 你不能在类声明中有初始化器,所以
  • 语法const char* []没有说明编译器需要为每个实例分配多少空间(您的数组被声明为实例变量)。

此外,您可能希望将该数组设为静态,因为它本质上是一个常量值。

于 2008-11-12T18:25:57.943 回答