编写Java程序,创建一个矩形Rect类,此类中包括两个属性:长度L和宽度D。一个计算面积的方法findArea在main方法中创建Rect类对象r,并计算长度为三,宽度为五的矩形面积。使用int
时间: 2024-10-26 08:16:40 浏览: 12
在Java中,你可以创建一个名为`Rect`的类,代表矩形,包含两个私有成员变量`length`和`width`,并提供一个公共方法`findArea()`来计算矩形的面积。下面是一个简单的示例:
```java
public class Rect {
private int length;
private int width;
// 构造函数用于初始化矩形的长度和宽度
public Rect(int length, int width) {
this.length = length;
this.width = width;
}
// 计算面积的方法
public int findArea() {
return length * width;
}
// 主方法(main),用于演示如何创建Rect对象并计算面积
public static void main(String[] args) {
// 创建一个Rect对象r,长度为3,宽度为5
Rect r = new Rect(3, 5);
// 调用findArea方法计算面积
int area = r.findArea();
// 打印结果
System.out.println("The area of the rectangle is: " + area);
}
}
```
在这个例子中,我们首先定义了`Rect`类,然后在构造函数中接受长度和宽度作为参数。接着,`findArea()`方法返回矩形的面积。在`main`方法中,创建了一个`Rect`实例并调用了这个方法。
阅读全文