我正在尝试做一个有趣的JFrame
所以当鼠标离开窗口时,它会将Panel Background
颜色更改为一些随机颜色(以引起用户注意):
wnd.addMouseListener(new MouseAdapter(){
@Override
public synchronized void mouseExited(MouseEvent e){
cond = true;
while(cond){
try{
wnd.getContentPane().setBackground(Color.getHSBColor((cont+=0.05), 1, 1));
wnd.setTitle("Num: "+cont);
wnd.getContentPane().repaint(); //With or without it doesn't work either
wait(100);
}
catch(InterruptedException ex){ Thread.currentThread().interrupt(); }
}
}
});
问题是Background
颜色没有变化......它显示了窗口标题中cont的值,但颜色没有变化。如果我删除循环并只是在面板内外移动鼠标,它就会改变......但是我想让它在鼠标离开窗口时自动改变颜色,直到鼠标回到它。某种癫痫症(?)
我不知道为什么如果我将其循环并使用wait()
延迟,则无效。
答案 0 :(得分:2)
Swing是一个单线程框架,这意味着阻止事件调度线程的任何东西都会阻止它处理事件队列(包括重绘请求)并导致应用程序在挂起时出现,因为它已经挂起。 / p>
您永远不应该在EDT的上下文中执行长时间运行或阻止操作。
相反,在这种情况下,您应该使用Swing Timer
来安排定期回调。这样做的好处是回调是在EDT的上下文中执行的,因此可以安全地用于更新UI(因为Swing也不是线程安全的)。
import java.awt.Color;
import java.awt.Dimension;
import java.awt.EventQueue;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.MouseAdapter;
import java.awt.event.MouseEvent;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.Timer;
import javax.swing.UIManager;
import javax.swing.UnsupportedLookAndFeelException;
public class Test {
public static void main(String[] args) {
new Test();
}
public Test() {
EventQueue.invokeLater(new Runnable() {
@Override
public void run() {
try {
UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
} catch (ClassNotFoundException | InstantiationException | IllegalAccessException | UnsupportedLookAndFeelException ex) {
ex.printStackTrace();
}
JFrame frame = new JFrame("Testing");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add(new TestPane());
frame.pack();
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
});
}
public class TestPane extends JPanel {
private Timer updateTimer;
public TestPane() {
updateTimer = new Timer(100, new ActionListener() {
private float cont = 0;
@Override
public void actionPerformed(ActionEvent e) {
setBackground(Color.getHSBColor((cont += 0.05), 1, 1));
}
});
addMouseListener(new MouseAdapter() {
@Override
public void mouseExited(MouseEvent e) {
updateTimer.start();
}
@Override
public void mouseEntered(MouseEvent e) {
updateTimer.stop();
}
});
}
@Override
public Dimension getPreferredSize() {
return new Dimension(200, 200);
}
}
}