2

我在将 Timer 引用到 ActionListener 类时遇到问题。我想在Java显示显示时间的对话框后停止计时器并在单击“是”后再次启动。

这是我目前拥有的:

public class AlarmClock 
{
    public static void main(String[] args)
    {
        boolean status = true;

        Timer t = null;

        ActionListener listener = new TimePrinter(t);
        t = new Timer(10000, listener);

        t.start();

        while(status)
        {
        } 
    }
}

class TimePrinter implements ActionListener
{   
    Timer t;

    public TimePrinter(Timer t)
    {
        this.t = t;
    }
    public void actionPerformed(ActionEvent event)
    {   
        t.stop();                //To stop the timer after it displays the time

        Date now = Calendar.getInstance().getTime();
        DateFormat time = new SimpleDateFormat("HH:mm:ss.");

        Toolkit.getDefaultToolkit().beep();
        int choice = JOptionPane.showConfirmDialog(null, "The time now is "+time.format(now)+"\nSnooze?", "Alarm Clock", JOptionPane.YES_NO_OPTION);

        if(choice == JOptionPane.NO_OPTION)
        {
            System.exit(0);
        }
        else
        {
            JOptionPane.showMessageDialog(null, "Snooze activated.");
            t.start();           //To start the timer again
        }
    }
}

但是,此代码给出了空指针异常错误。还有其他方法可以引用计时器吗?

4

1 回答 1

2

这里有一个先有鸡还是先有蛋的问题,因为两个类的构造函数都需要相互引用。您需要以某种方式打破循环,最简单的方法是构造Timer没有侦听器,然后构造侦听器,然后将其添加到计时器:

    t = new Timer(10000, null);
    ActionListener l = new TimePrinter(t);
    t.addActionListener(l);

或者,您可以添加一个 setterTimePrinter而不是将其传递Timer给它的构造函数:

class TimePrinter implements ActionListener
{   
    Timer t;

    public TimePrinter() {}

    public setTimer(Timer t)
    {
        this.t = t;
    }

然后做

    TimePrinter listener = new TimePrinter();
    t = new Timer(10000, listener);
    listener.setTimer(t);

无论哪种方式,最终的结果都是一样的。

于 2013-02-20T16:02:02.480 回答