定义一个名为rectangle的矩形类,其属性为矩形的左下角与右上角两个点的坐标,成员函数getarea()功能为计算矩形的面积。
时间: 2024-04-16 18:26:34 浏览: 193
定义一个名为rectangle 的矩形类,其属性数据为矩形左上角和右上角的点的坐标能计算矩形的面积
5星 · 资源好评率100%
以下是一个使用C++编写的矩形类 `Rectangle`示例代码,其中包括属性为矩形的左下角与右上角两个点的坐标,并且有一个成员函数 `getArea()` 用于计算矩形的面积:
```cpp
#include <iostream>
class Rectangle {
private:
int x1, y1; // 左下角坐标
int x2, y2; // 右上角坐标
public:
Rectangle(int x1, int y1, int x2, int y2) {
this->x1 = x1;
this->y1 = y1;
this->x2 = x2;
this->y2 = y2;
}
int getArea() {
int width = x2 - x1;
int height = y2 - y1;
return width * height;
}
};
int main() {
int x1, y1, x2, y2;
std::cout << "Enter the coordinates of the bottom-left point: ";
std::cin >> x1 >> y1;
std::cout << "Enter the coordinates of the top-right point: ";
std::cin >> x2 >> y2;
Rectangle rect(x1, y1, x2, y2);
int area = rect.getArea();
std::cout << "The area of the rectangle is: " << area << std::endl;
return 0;
}
```
在这段代码中,`Rectangle` 类具有私有属性 `x1`, `y1`, `x2`, `y2`,分别表示矩形的左下角和右上角的坐标。构造函数用于初始化这些属性。`getArea()` 函数计算矩形的宽度和高度,并返回其面积。
在 `main` 函数中,我们首先输入矩形的左下角和右上角的坐标。然后,我们创建一个 `Rectangle` 对象,并调用 `getArea()` 函数来计算矩形的面积,并将其打印出来。
请注意,为了简化示例,这段代码没有进行输入验证。在实际应用中,您可能需要添加输入验证以确保输入的正确性。
阅读全文