用java 设计一个名为Rectangle的类表示矩形。这个类包括: 两个名为width和height的double类型数据域,它们分别表示矩形的宽 和高。width和height的默认值都为1。 •一个用于创建默认矩形的无参构造方法。 •一个创建指定width和height值的矩形的构造方法。 ·一个名为getArea()的方法,返回该矩形的面积。 •一个名为getPerimeter()的方法,返回周长。 编写一个测试程序,分别输入两个矩形的高和宽,创建两个Rectangle对象。按照顺序显示每个矩形的宽、高、面积和周长。
时间: 2023-06-10 14:07:11 浏览: 565
java代码-编写一个类,类名为Rectangle(矩形),它有两个整型的变量width(宽)和height(高);有一个方法area(),没有参数,返回类型为double,功能是求矩形的面积;还有另一个方法为perimeter()没有参数,返回类型为double,功能是求矩形的周长
5星 · 资源好评率100%
下面是一个符合要求的Rectangle类的代码实现和测试程序的代码实现:
Rectangle.java
```java
public class Rectangle {
private double width;
private double height;
public Rectangle() {
this.width = 1.0;
this.height = 1.0;
}
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;
}
}
```
TestRectangle.java
```java
import java.util.Scanner;
public class TestRectangle {
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
System.out.print("Enter the width of the first rectangle: ");
double width1 = input.nextDouble();
System.out.print("Enter the height of the first rectangle: ");
double height1 = input.nextDouble();
Rectangle rectangle1 = new Rectangle(width1, height1);
System.out.print("Enter the width of the second rectangle: ");
double width2 = input.nextDouble();
System.out.print("Enter the height of the second rectangle: ");
double height2 = input.nextDouble();
Rectangle rectangle2 = new Rectangle(width2, height2);
System.out.println("Rectangle 1:");
System.out.println("Width: " + rectangle1.getWidth());
System.out.println("Height: " + rectangle1.getHeight());
System.out.println("Area: " + rectangle1.getArea());
System.out.println("Perimeter: " + rectangle1.getPerimeter());
System.out.println("Rectangle 2:");
System.out.println("Width: " + rectangle2.getWidth());
System.out.println("Height: " + rectangle2.getHeight());
System.out.println("Area: " + rectangle2.getArea());
System.out.println("Perimeter: " + rectangle2.getPerimeter());
}
}
```
阅读全文