模拟实现电风扇,可以调3档速度(慢速、中速、快速);开关按钮;定时吹风;描述风扇的扇叶大小、颜色等。 设计Fan类,属性包括:3个常量SLOW(1)、MEDIUM(2)、FAST(3)代表风扇的速度;1个int属性speed指定速度,默认值为SLOW;1个boolean属性on指定开关机,默认值false;1个double属性radius指定风扇扇叶大小;1个String属性color指定扇叶颜色,默认值为blue。方法包括这些属性的访问器、构造函数、重写Object类的toString()和equals()方法等。运行测试代码: public static void main(String[] args) { Fan1 fan1 = new Fan1(); fan1.setSpeed(Fan1.FAST); fan1.setRadius(10); fan1.setColor("yellow"); fan1.setOn(true); System.out.println(fan1.toString()); }
时间: 2024-03-21 11:38:46 浏览: 144
好的,以下是模拟实现电风扇的代码:
```java
public class Fan {
// 风扇的速度常量
public static final int SLOW = 1;
public static final int MEDIUM = 2;
public static final int FAST = 3;
private int speed; // 风扇的速度,默认为慢速
private boolean on; // 风扇的开关状态,默认关闭
private double radius; // 风扇扇叶大小
private String color; // 风扇扇叶颜色
// 构造函数
public Fan() {
this.speed = SLOW;
this.on = false;
this.radius = 5;
this.color = "blue";
}
// 访问器
public int getSpeed() {
return speed;
}
public void setSpeed(int speed) {
this.speed = speed;
}
public boolean isOn() {
return on;
}
public void setOn(boolean on) {
this.on = on;
}
public double getRadius() {
return radius;
}
public void setRadius(double radius) {
this.radius = radius;
}
public String getColor() {
return color;
}
public void setColor(String color) {
this.color = color;
}
// 重写toString()方法,返回风扇的状态信息
@Override
public String toString() {
if (on) {
return "风扇速度为" + speed + ",颜色为" + color + ",扇叶大小为" + radius + ",风扇已经开启。";
} else {
return "颜色为" + color + ",扇叶大小为" + radius + "的风扇目前处于关闭状态。";
}
}
// 重写equals()方法,判断两个风扇是否相等
@Override
public boolean equals(Object obj) {
if (obj instanceof Fan) {
Fan otherFan = (Fan) obj;
return this.speed == otherFan.speed && this.on == otherFan.on
&& this.radius == otherFan.radius && this.color.equals(otherFan.color);
} else {
return false;
}
}
}
```
测试代码如下:
```java
public static void main(String[] args) {
Fan fan1 = new Fan();
fan1.setSpeed(Fan.FAST);
fan1.setRadius(10);
fan1.setColor("yellow");
fan1.setOn(true);
System.out.println(fan1.toString());
}
```
输出结果为:
```
风扇速度为3,颜色为yellow,扇叶大小为10.0,风扇已经开启。
```
阅读全文