The Swing javax.swing.Timer
object fires the action event after the delay time specified in the constructor passed. For some reasons you might want the Timer
class fires immediately after it was started.
To achieve this you can set the timer initial delay by calling the setInitialDelay(int initialDelay)
method. The example below give you an example how to do it.
package org.kodejava.swing;
import javax.swing.*;
import java.awt.*;
import java.awt.event.ActionListener;
import java.awt.event.ActionEvent;
public class TimerInitialDelayDemo extends JFrame {
private final JLabel counterLabel = new JLabel();
private Timer timer = null;
public TimerInitialDelayDemo() throws HeadlessException {
initUI();
}
public static void main(String[] args) {
SwingUtilities.invokeLater(
() -> new TimerInitialDelayDemo().setVisible(true));
}
private void initUI() {
setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
setSize(500, 500);
Container container = getContentPane();
container.setLayout(new FlowLayout(FlowLayout.CENTER));
container.add(counterLabel);
timer = new Timer(1000, new MyActionListener());
// Set initial delay of the Timer object. Setting initial delay
// to zero causes the timer fires the event immediately after
// it is started.
timer.setInitialDelay(0);
timer.start();
}
class MyActionListener implements ActionListener {
private int counter = 10;
public void actionPerformed(ActionEvent e) {
counter = counter - 1;
String text = "<html><font size='14'>" +
counter +
"</font></head>";
counterLabel.setText(text);
if (counter == 0) {
timer.stop();
}
}
}
}
Latest posts by Wayan (see all)
- How do I get number of each day for a certain month in Java? - September 8, 2024
- How do I get operating system process information using ProcessHandle? - July 22, 2024
- How do I sum a BigDecimal property of a list of objects using Java Stream API? - July 22, 2024