我正在进行一项任务,该任务应该返回一个10个矩形的数组,其中包含随机高度,随机宽度和从字符串中选择的随机颜色。
该程序可以正常返回一个矩形的对象,但是我如何实现它来创建一个包含10个矩形的数组,然后在循环中返回每个矩形?
这是包含我的对象的类文件:
import java.util.*;
public class Rectangle
{
private double width;
private double height;
public static String color = "White";
private Date date;
Rectangle() {
width = 1;
height = 1;
date = new Date();
}
Rectangle (double w, double h) {
width = w;
height = h;
date = new Date();
}
public double getHeight() {
return height;
}
public void setHeight(double h) {
height = h;
}
public double getWidth() {
return width;
}
public void setWidth(double w) {
width = w;
}
public static String getColor() {
return color;
}
public static void setColor(String c) {
color = c;
}
public Date getDate() {
return date;
}
public void setDate (Date d) {
date = d;
}
public double getArea() {
return width * height;
}
public double getPerimeter() {
return 2 * (width + height);
}
public String toString() {
String S;
S = "Rectangle with width of " + width;
S = S + " and height of " + height;
S = S + " was created on " + date.toString();
return S;
}
}
到目前为止,这是我的客户端程序。我正在设置随机高度和随机宽度,并从颜色字符串中选择随机颜色。
我希望能够为10个不同矩形的数组执行此操作:
import java.util.*;
public class ClientRectangle
{
public static void main(String[] args)
{
String[] colors = {"White","Blue","Yellow","Red","Green"};
Rectangle r = new Rectangle();
int k;
for(int i = 0; i < 10; i++)
{
r.setWidth((Math.random()*40)+10);
r.setHeight((Math.random()*40)+10);
System.out.println(r.toString() + " has area of " + r.getArea() + " and perimeter of " + r.getPerimeter());
k = (int)(Math.random()*4)+1;
System.out.println(colors[k]);
}
}
}
谢谢!
答案 0 :(得分:5)
创建一个矩形数组,并为每个索引添加一个矩形。
Rectangle[] arr = new Rectangle[10];
for(int i = 0; i < 10; i++)
{
Rectangle r = new Rectangle();
r.setWidth((Math.random()*40)+10);
r.setHeight((Math.random()*40)+10);
arr[i] = r;
}
答案 1 :(得分:0)
在for循环中移动Rectangle r = new Rectangle();
。在循环外部初始化一个数组(列表),并继续将循环中的矩形添加到数组中。
答案 2 :(得分:0)
您似乎已经知道如何声明一个对象数组,因为您使用String
数组来实现。 Rectangle
s数组的声明非常相似:
Rectangle[] rects;
请注意,必须也初始化数组。由于数组本身就是对象,因此您使用new
运算符,就像将引用变量初始化为单个Rectangle
时一样:
Rectangle[] rects = new Rectangle[SIZE];
正如您所看到的,唯一的区别是您将数组的大小放在[]
中。这只会创建一个引用到Rectangle
个对象的数组。引用都自动设置为null
。这意味着您需要自己创建Rectangles
。您可以在for循环中执行此操作:
for (int i = 0; i <= SIZE; ++i) {
rects[i] = new Rectangle();
}
您还可以根据需要设置每个Rectangle
的宽度和高度。 (我将向读者提供有关如何执行此操作的确切详细信息。)
最后,您需要将此全部放在除 main()
之外的方法中,以便您可以返回整个数组(您不会返回一个Rectangle
时间)作为指示说明:
return rects;