C++小练习(四)

来源:互联网 发布:以前刘畅淘宝模特牌子 编辑:程序博客网 时间:2024/05/17 06:29

建立一个形状类Shape作为基类,派生出圆类Circle和矩形类Rectangle,求出面积并获取相关信息。具体要求如下:
(1)形状类Shape
(a)保护数据成员
double x,y:对于不同的形状,x和y表示不同的含义,如对于圆,x和y均表示圆的半径,而对于矩形,x表示矩形的长,y表示矩形的宽。访问权限定义为保护类型是为了能被继承下去,以便派生类能直接访问x和y。
(b)公有成员函数
构造函数Shape(double _x,double _y):用_x、_y分别初始化x、y。
double GetArea():求面积,在此返回0.0。
(2)圆类Circle,从Shape公有派生
(a)公有成员函数
Circle(double r):构造函数,并用r构造基类的x和y。
double GetArea():求圆的面积。
double GetRadius():获取圆的半径。
(3)矩形类Rectangle,从Shape公有派生
(a)公有成员函数
Rectangle(double l,double w) :构造函数,并用l和w构造基类的x和y。
double GetArea():求矩形的面积。
double GetLength():获取矩形的长。
double GetWidth():获取矩形的宽。
(4)在主函数中对派生类进行测试。注意,在程序的开头定义符号常量PI的值为3.14。
测试的输出结果如下:
circle:r=1, area=3.14
rectangle:length=3, width=4, area=12
代码如下:

#include <iostream>using namespace std;#define PI 3.14class Shape{protected:    double x, y;public:    Shape(double _x, double _y);    double GetArea();};Shape::Shape(double _x, double _y) :x(_x), y(_y){}double Shape::GetArea(){    return 0.0;}class Circle: public Shape{public:    Circle(double r);    double GetArea();    double GetRadius();};Circle::Circle(double r) :Shape(r, r){}double Circle::GetArea(){    return (PI * x * y);}double Circle::GetRadius(){    return x;}class Rectangle: public Shape{public:    Rectangle(double l, double w);    double GetArea();    double GetLength();    double GetWidth();};Rectangle::Rectangle(double l, double w) :Shape(l, w){}double Rectangle::GetArea(){    return (x * y);}double Rectangle::GetLength(){    return x;}double Rectangle::GetWidth(){    return y;}int main(){    double cr, carea;    double rlength, rwidth, rarea;    Circle circle(1);    cr = circle.GetRadius();    carea = circle.GetArea();    Rectangle rectangle(3, 4);    rlength = rectangle.GetLength();    rwidth = rectangle.GetWidth();    rarea = rectangle.GetArea();    cout << "circle: r = " << cr << ", area = " << carea << endl;    cout << "rectangle: length = " << rlength << ", width = " << rwidth <<", area = "<<rarea<< endl;    system("pause");    return 0;}
原创粉丝点击