我写了一些代码来改变几个按钮的颜色,以刺激随机序列的闪烁颜色。我已经设置了一个计时器为我做这个,但我只是不知道如何阻止它
继承我的代码
Timer timer = new Timer(100, new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
int buttons[] = new int[9];
for (int j = 0; j < buttons.length; j++) {
// System.out.println("times");
Component button = frame.getContentPane().getComponent(j);
int Red = new Random().nextInt(255 - 1) + 1;
int Green = new Random().nextInt(255 - 1) + 1;
int Blue = new Random().nextInt(255 - 1) + 1;
button.setBackground(new Color(Red, Green, Blue));
SwingUtilities.updateComponentTreeUI(button);
}
}// }
}); timer.start();
答案 0 :(得分:1)
有几种方法可以做到,这里有几种快速方法。
一种方法是利用System.currentTimeMillis()
:
private Timer timer;
private final int DELAY = 100;
private final int DURATION = 10_000;
private long startTime;
public void timerExample() {
timer = new Timer(DELAY, new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
if (System.currentTimeMillis() >= startTime + DURATION) {
System.out.println("Done");
timer.stop();
} else {
System.out.println("Tick");
}
}
});
startTime = System.currentTimeMillis();
timer.start();
}
如果当前时间大于Timer
+ startTime
,则会停止DURATION
。
另一种方法是使用计数器:
private Timer timer;
private final int DELAY = 100;
private final int DURATION = 10_000;
private final int TOTAL_TICKS = DURATION / DELAY;
private int tickCounter = 0;
public void timerExample() {
timer = new Timer(DELAY, new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
if (++tickCounter == TOTAL_TICKS) {
System.out.println("Done");
timer.stop();
} else {
System.out.println("Tick");
}
}
});
timer.start();
}
如果DELAY
为100毫秒且DURATION
为10,000毫秒,则可以计算所需的计时器刻度的总数,例如10,000 / 100 = 100滴答。
每次触发动作侦听器时,它都会检查是否达到了总刻度数,如果是,则停止计时器。