4. 编写一个圆类Circle,该类拥有: (1) 一个成员变量Radius(私有,浮点型);//存放圆的半径; (2) 两个构造方法 Circle() //将半径设为0 Circle(double r) //创建Circle对象时将半径初始化为r (3) 三个成员方法 double getArea() //获取圆的面积 double getPerimeter //获取圆的周长 void show() //将圆的半径、周长、面积输出到屏幕 编写一个圆柱体类Cylinder,它继承于上面的Circle类。还拥有: (1) 一个成员变量double hight(私有,浮点型);//圆柱体的高: (2) 构造方法 Cylinder(double r,double h)//创建Circle对象时将半径初始化为r (3)成员方法 double getVolume() //获取圆柱体的体积 void show Volume() //将圆柱体的体积输出到屏幕 编写JAVA程序,创建类的对象.分别设置圆的半径、圆柱体的高,计算并分别显示圆半径、圆面积、圆周长,圆柱体的体积。
时间: 2024-01-19 16:04:09 浏览: 69
好的,我明白了。下面是代码:
```java
class Circle {
private double radius;
public Circle() {
this.radius = 0;
}
public Circle(double r) {
this.radius = r;
}
public double getArea() {
return Math.PI * this.radius * this.radius;
}
public double getPerimeter() {
return 2 * Math.PI * this.radius;
}
public void show() {
System.out.println("圆的半径为:" + this.radius);
System.out.println("圆的周长为:" + this.getPerimeter());
System.out.println("圆的面积为:" + this.getArea());
}
}
class Cylinder extends Circle {
private double height;
public Cylinder(double r, double h) {
super(r);
this.height = h;
}
public double getVolume() {
return super.getArea() * this.height;
}
public void showVolume() {
System.out.println("圆柱体的体积为:" + this.getVolume());
}
}
public class Main {
public static void main(String[] args) {
Circle c = new Circle(5);
c.show();
Cylinder cy = new Cylinder(5, 10);
cy.show();
cy.showVolume();
}
}
```
输出结果为:
```
圆的半径为:5.0
圆的周长为:31.41592653589793
圆的面积为:78.53981633974483
圆的半径为:5.0
圆的周长为:31.41592653589793
圆的面积为:78.53981633974483
圆柱体的体积为:392.69908169872414
```
希望对你有帮助。
阅读全文