如何在继承类中初始化静态变量?

时间:2012-01-25 12:51:05

标签: c++ inheritance initialization static-variables

我正在尝试创建一个“父”类,它为所有它继承的类提供了一个通用的构造函数和参数类型。继承的唯一变化是一些静态变量的值。

实现这一目标的最佳方法是什么?这是我目前的尝试:

class Ball {
  public:
    virtual ~Ball();
    Ball ();

  protected:
    static string file;
    static int size;
    node shape;
};

class TenisBall: public Ball {};
class OtherBall: public Ball {};

Ball::Ball () {
  shape = // do something with file and size
};

Ball::~Ball () {
  delete shape;
};

string TenisBall::file = "SomeFile";
int TenisBall::size = 20;

string OtherBall::file = "OtherFile";
int OtherBall::size = 16;

我的问题是:我无法在TenisBallOtherBall类上设置静态值,编译器只有在{{1}更改TenisBallOtherBall时才接受在最后两行代码中。 我怎么能做到这一点?这是最好的方法吗?

修改

根据提供的答案,我决定尝试使用虚函数来实现它。到目前为止,这是我的代码:

Ball

但是,虽然我的编辑器(xCode)没有给出任何错误,但在尝试编译时,llvm会出现以下错误:

  

第22列的Bundle Identifier中的字符'_'无效。此字符串必须是仅包含字母数字(AZ,az,0-9),连字符( - )和句点(。)的统一类型标识符(UTI)字符。

3 个答案:

答案 0 :(得分:4)

你尝试的是不可能的。一旦在类中声明了一个静态变量,这个类只有一个变量,甚至派生类也不能改变它(所以你不能改变Ball::fileTennisBall做一些不同的事情。平均值)。

最简单的解决方法可能是将Ball::file更改为虚拟函数(将stringstring&返回到甚至可能是类或函数静态的东西),您可以覆盖在派生类中。

答案 1 :(得分:1)

如果您希望每个派生类都拥有自己的静态变量,您可以将basse类作为模板并使用CRTP

template<typename T>
class Ball {
    static int size;
};

template<typename T> int Ball<T>::size = 0;

class TennisBall : public Ball<TennisBall> {

};

template<> int Ball<TennisBall>::size = 42;

答案 2 :(得分:0)

显然静态是禁止的,如果你使用它们,那么无论你有多少派生类的实例,你都有一份数据存储在内存中,所以你每次都会覆盖数据。

如下所示,Ball中的一个常见构造函数处理大小和文件名?

class Ball {
  public:
    virtual ~Ball();
    Ball ();
    Ball (int curr_size, string curr_filename);

  protected:
    string file;
    int size;
    node shape;
};

class TenisBall: public Ball {
   TennisBall(int size, string filename)
     :this(curr_size, curr_filename)
   {
   }


};
class OtherBall: public Ball {
   OtherBall(int size, string filename)
     : this(curr_size, curr_filename)
   {
   }

};

Ball::Ball () {
  shape = // do something with file and size
};

Ball::Ball(int curr_size, string curr_filename) {
    shape = // whatever
    curr_size = size;
    curr_filename = filename;
}

Ball::~Ball () {
  delete shape;
};

// ....
Ball *b = new TennisBall(16, "c:/tennisball_photo.jpg");

delete b;