0

我尝试测试在 Raspberry PI 上运行的 Swing GUI。我的目标是每 1 秒显示一次系统时间。并且每“cycleTime”秒更新“planValue”。在桌面上测试它是正常的。当我在 RaspPI 上运行时,更新“planValue”或打开弹出新对话框时非常慢且有时间延迟。

这是 MainScreen 类

public class MainScreen extends javax.swing.JFrame implements ActionListener {

    private javax.swing.JLabel jLabelPlan;
    private javax.swing.JLabel jLabelSysTime;
    int planValue;
    int cycleTime = 5; //5 seconds
    int counter = 1;

    public MainScreen() {
        initComponents();
        //start timer.
        javax.swing.Timer timer = new javax.swing.Timer(1000,this);
        timer.start();
    }

    @Override
    public void actionPerformed(ActionEvent e) {
        showDisplay();
    }

    public void showDisplay() {
        DateFormat formatTime = new SimpleDateFormat("HH:mm:ss");
        jLabelSysTime.setText(formatTime.format(Calendar.getInstance().getTime()));
        jLabelPlan.setText(String.valueOf(planValue));
    }
}

如果我创建新的 Timer planTimer

Timer planTimer = new Timer(cycleTime * 1000, new ActionListener() {   
    @Override
    public void actionPerformed( ActionEvent e ) {
        planValue += 1;
    }
});
planTimer.start(); //Timer updPlan start

或使用循环actionPerformed(ActionEvent e)

@Override
public void actionPerformed(ActionEvent e) {
    showDisplay();
        if(counter == cycleTime) {
            planValue += 1;
            counter = 1;
        } else {
            counter++;
        }
    }
}

有什么建议吗?或在 Raspberri PI 上运行我的 GUI 的最佳解决方案。谢谢。

4

1 回答 1

4

你应该让你的计时器重复使用Timer.setRepeats(true).

Timer planTimer = new Timer(cycleTime * 1000, new ActionListener() {   
    @Override
    public void actionPerformed( ActionEvent e ) {
        planValue += 1;
    }
});
plainTimer.setRepeats(true);//Set repeatable.
planTimer.start();

你的timer变量应该是这样的:

javax.swing.Timer timer = new javax.swing.Timer(1000, new ActionListener()
{
    @Override
    public void actionPerformed(ActionEvent evt)
    {
        showDisplay();
    }
});
timer.setRepeats(true);
timer.start();
于 2013-03-27T07:47:34.560 回答