c++抽象类的成员变量
时间: 2023-07-20 22:46:08 浏览: 307
在C++中,抽象类可以有成员变量,但是通常不会在抽象类中定义具体的成员变量,因为抽象类的主要作用是定义一组接口,而不是具体的实现。
如果抽象类中存在成员变量,那么这些成员变量必须是protected或private访问权限,因为它们只能被派生类访问。同时,派生类必须实现抽象类中定义的纯虚函数,才能使用这些成员变量。
下面是一个简单的例子:
```
class Shape {
protected:
int x, y;
public:
Shape(int x, int y) : x(x), y(y) {}
virtual double area() const = 0;
virtual void draw() const = 0;
};
class Rectangle : public Shape {
private:
int width, height;
public:
Rectangle(int x, int y, int width, int height) : Shape(x, y), width(width), height(height) {}
double area() const override { return width * height; }
void draw() const override { /* draw rectangle */ }
};
int main() {
Rectangle rect(0, 0, 3, 4);
cout << "Area: " << rect.area() << endl;
return 0;
}
```
这里定义了一个Shape抽象类,包括一个x和y成员变量和两个纯虚函数area和draw。然后定义了一个Rectangle类,它继承自Shape类,并添加了width和height成员变量。这个类实现了Shape类中的纯虚函数,并使用了Shape类中的成员变量x和y。
在main函数中,创建了一个Rectangle对象,并调用其area函数来计算面积。由于Rectangle类实现了Shape类中的纯虚函数,所以可以正常使用Shape类中定义的成员变量。
阅读全文