问题遇到的现象和发生背景
使用C++语言编写程序,计算出正方体和长方体的体积,要求:
(1)定义一个形状基类Shape ,至少含有两个数据成员。
(2)定义基类的派生类:正方体、长方体,都含有求体积的成员函数。
(3)定义主函数,求正方体和长方体的体积。
(4)每个类都有其构造函数与析构函数。
求具体步骤说明(每一步都要说)
使用C++语言编写程序,计算出正方体和长方体的体积,要求:
(1)定义一个形状基类Shape ,至少含有两个数据成员。
(2)定义基类的派生类:正方体、长方体,都含有求体积的成员函数。
(3)定义主函数,求正方体和长方体的体积。
(4)每个类都有其构造函数与析构函数。
求具体步骤说明(每一步都要说)
参考
#include <iostream>
using namespace std;
//基类 shape
class Shape
{
public:
Shape() {}
~Shape() {}
float getCubage()
{
return -1;
}
protected:
float length;
float width;
float height;
};
//派生类 正方体
class Cube : public Shape
{
public:
Cube(float l)
{
length = l;
};
~Cube() {}
float getCubage()
{
return length * length * length;
}
};
//派生类 长方体
class Cuboid : public Shape
{
public:
Cuboid(float l, float w, float h)
{
length = l;
width = w;
height = h;
};
~Cuboid() {}
float getCubage()
{
return width * length * height;
}
};
int main()
{
Cube *sf = new Cube(3);
cout << "正方体的体积:" << sf->getCubage() << endl;
Cuboid *sp = new Cuboid(6,5,3);
cout << "长方体的体积:" << sp->getCubage() << endl;
return 0;
}