前面题目形状中我们看到,为了输出所有形状的周长与面积,需要建立多个数组进行多次循环。这次试验使用继承与多态来改进我们的设计。
属性:不可变静态常量double PI,值为3.14,
抽象方法:public double getPerimeter(),public double getArea()
Rectangle类(属性:int width,length)、Circle类(属性:int radius)。
带参构造方法为Rectangle(int width,int length),Circle(int radius)。
toString方法(Eclipse自动生成)
4.1 输入整型值n,然后建立n个不同的形状。如果输入rect,则依次输入宽、长。如果输入cir,则输入半径。
4.2 然后输出所有的形状的周长之和,面积之和。并将所有的形状信息以样例的格式输出。 提示:使用Arrays.toString。
4.3 最后输出每个形状的类型与父类型.使用类似shape.getClass() //获得类型, shape.getClass().getSuperclass() //获得父类型;
4
rect
3 1
rect
1 5
cir
1
cir
2
38.84
23.700000000000003
[Rectangle [width=3, length=1], Rectangle [width=1, length=5], Circle [radius=1], Circle [radius=2]]
class Rectangle,class Shape
class Rectangle,class Shape
class Circle,class Shape
class Circle,class Shape
import java.util.Scanner;
abstract class Shape {
final static double PI = 3.14;
public abstract double getPerimeter();
public abstract double getArea();
}
class Rectangle extends Shape {
int width, length;
public Rectangle(int width,int length)
{ this.width = width; this.length = length; }
public double getPerimeter()
{ return (width+length)*2; }
public double getArea()
{ return width*length; }
public String toString()
{ String msg = String.format("Rectangle [width=%d, length=%d]",width,length); return msg;}
}
class Circle extends Shape{
int radius;
public Circle(int radius)
{ this.radius = radius; }
public double getPerimeter()
{ return 2*PI*radius; }
public double getArea()
{ return PI*radius*radius; }
public String toString()
{ String msg = String.format("Circle [radius=%d]",radius); return msg; }
}
public class Main {
public static double sumAllArea(Shape[] shapes) {
double sum = 0;
for (int i = 0; i < shapes.length; i++)
{ sum += shapes[i].getArea(); }
return sum;
}
public static double sumAllPerimeter(Shape[] shapes) {
double sum = 0;
for (int i = 0; i < shapes.length; i++)
{ sum += shapes[i].getPerimeter(); }
return sum;
}
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
int n = input.nextInt();
Shape[] shapes = new Shape[n];
for(int i=0; i<n; i++) {
String flag = input.next();
input.nextLine(); //吸收回车
if(flag.equals("rect")) {
String wAndH = input.nextLine(); //按行输入
String[] arr = wAndH.split("\\s+"); //通过空格来拆分字符串
shapes[i] = new Rectangle(Integer.parseInt(arr[0]), Integer.parseInt(arr[1])); //字符数字转化为整型数字
}
else if(flag.equals("cir")) { //使用flag=="rect",flag=="cir"会出错
int r = input.nextInt();
shapes[i] = new Circle(r);
}
}
System.out.println(sumAllPerimeter(shapes));
System.out.println(sumAllArea(shapes));
System.out.print("[");
for(int i=0; i<n-1; i++) {
System.out.print(shapes[i].toString()+", ");
}
System.out.print(shapes[n-1].toString());
System.out.print("]\n");
//可以通过 import java.util.Arrays; 将该部分改为 System.out.println(Arrays.deepToString(shapes)); //返回指定数组“深层内容”的字符串表示形式
for(int i=0; i<n; i++) {
System.out.println(shapes[i].getClass()+","+shapes[i].getClass().getSuperclass());
}
input.close();
}
}