写一个程序,定义抽象基类Shape,由它派生出3个派生类,Circle(圆形)、Rectangle(矩形)、Triangle(三角形),用一个函数printArea分别输出以上三只的面积,3个图形的数据在定义对象时给出。
代码如下:
#include <iostream>
using namespace std;
///基类Shape
class Shape
{
public:
void virtual printArea() = 0;//纯虚函数
};
//派生类Circle
class Circle : public Shape
{
public:
Circle(double r = 0):radius(r){}//构造函数
void printArea(){cout<<3.14159 * radius * radius<<endl;}
private:
double radius;//数据成员,表示半径
};
//派生类Rectangle
class Rectangle : public Shape
{
public:
Rectangle(double w,double h):width(w),height(h){}//构造函数
void printArea(){cout<<width * height<<endl;}
private:
double width;//数据成员,表示宽
double height;//数据成员,表示长
};
//派生类Triangle
class Triangle : public Shape
{
public:
Triangle(double w,double h):width(w),height(h){} //构造函数
void printArea(){cout<<width * height * 0.5<<endl;}
private:
double width;//数据成员,表示底
double height;//数据成员,表示高
};
//主函数
int main()
{
Shape *s;
Circle circle(1.0);
Rectangle rectangle(1.0,1.0);
Triangle triangle(1.0,1.0);
s = &circle;
s->printArea();
s = &rectangle;
s->printArea();
s = ▵
s->printArea();
return 0;
}