设计一个名为Rectangle的类表示矩形。这个类包括: 两个名为width和height的double类型数据域,它们分别表示矩形的宽和高。width和height的默认值都为1。 一个用于创建默认矩形的无参构造方法。 一个创建指定width和height值的矩形的构造方法。 一个名为getArea()的方法,返回该矩形的面积。 一个名为getPerimeter()的方法,返回周长。 编写一个测试程序,分别输入两个矩形的高和宽,创建两个Rectangle对象。按照顺序显示每个矩形的宽、高、面积和周长。
时间: 2024-03-22 19:39:47 浏览: 108
下面是实现上述要求的Rectangle类和测试程序的代码:
```java
public class Rectangle {
private double width;
private double height;
public Rectangle() {
width = 1;
height = 1;
}
public Rectangle(double width, double height) {
this.width = width;
this.height = height;
}
public double getArea() {
return width * height;
}
public double getPerimeter() {
return 2 * (width + height);
}
public double getWidth() {
return width;
}
public double getHeight() {
return height;
}
}
public class TestRectangle {
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
System.out.print("Enter the width and height of rectangle 1: ");
double width1 = input.nextDouble();
double height1 = input.nextDouble();
Rectangle rectangle1 = new Rectangle(width1, height1);
System.out.print("Enter the width and height of rectangle 2: ");
double width2 = input.nextDouble();
double height2 = input.nextDouble();
Rectangle rectangle2 = new Rectangle(width2, height2);
System.out.println("Rectangle 1 - Width: " + rectangle1.getWidth() +
", Height: " + rectangle1.getHeight() +
", Area: " + rectangle1.getArea() +
", Perimeter: " + rectangle1.getPerimeter());
System.out.println("Rectangle 2 - Width: " + rectangle2.getWidth() +
", Height: " + rectangle2.getHeight() +
", Area: " + rectangle2.getArea() +
", Perimeter: " + rectangle2.getPerimeter());
}
}
```
在测试程序中,我们通过Scanner类获取用户输入的矩形的宽和高,并创建Rectangle对象。然后,我们调用Rectangle类中的getArea()和getPerimeter()方法来计算矩形的面积和周长,并使用getWidth()和getHeight()方法获取矩形的宽和高。最终,我们将矩形的宽、高、面积和周长打印出来。
阅读全文