**15.19 (游戏:手眼协调)
- 请编写一个程序,显示一个半径为10像素的实心圆,该圆放置在面板上的随机位置,并填充随机的顔色,如图15-29b所示。单击这个圆时,它会消失,然后在另一个随机的位置显示新的随机颜色的圆。在单击了20个圆之后,在面板上显示所用的时间,如图15-29c所示
- 习题思路
- 新建一个面板Pane(),新建一个实心圆Circle,并将圆随机放置在面板上的一个位置,定义一个私有int类型count用于计数
- 获取当前的时间System.currentTimeMillis(),赋值给long类型startTime
- 为Circle注册一个事件(鼠标点击:SetOnMouseClick())
- 鼠标点击圆后将圆的位置再次随机设置
- 如果count等于20,获取当前时间,赋值给long endTimem,新建一个text表示时间,然后添加到pane中,同时从pane中移除Circle
代码示例:编程练习题15_19HandEyeCoordination.java
package chapter_15;
import javafx.application.Application;
import javafx.scene.Scene;
import javafx.scene.layout.Pane;
import javafx.scene.paint.Color;
import javafx.scene.shape.Circle;
import javafx.scene.text.Text;
import javafx.stage.Stage;
public class 编程练习题15_19HandEyeCoordination extends Application{
private Pane pane = new Pane();
private int count = 0;
private Scene scene = new Scene(pane, 300, 300);
@Override
public void start(Stage primaryStage) throws Exception {
Circle circle = new Circle(10);
circle.setFill(Color.RED); // 设置填充颜色
circle.setStroke(Color.BLACK); // 设置边框颜色
RandomLocation(circle);
RandomColor(circle);
pane.getChildren().add(circle);
long startTime = System.currentTimeMillis();
circle.setOnMouseClicked(e ->{
RandomLocation(circle);
RandomColor(circle);
count++;
if(count == 20) {
long endTime = System.currentTimeMillis();
long time = endTime - startTime ;
Text text = new Text(pane.getWidth()/5, pane.getHeight()/2, "Time spent is "+time+" milliseconds");
pane.getChildren().add(text);
pane.getChildren().remove(circle);
}
});
primaryStage.setTitle("编程练习题15_19HandEyeCoordination");
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
Application.launch(args);
}
public void RandomLocation(Circle circle) {
double x = Math.random()*(pane.getWidth()-20)+10 ;
double y = Math.random()*(pane.getHeight()-20)+10;
circle.setCenterX(x);
circle.setCenterY(y);
}
public void RandomColor(Circle circle) {
circle.setFill(new Color(Math.random(), Math.random(), Math.random(), 1));
}
}
- 结果展示