2 回答
TA贡献1772条经验 获得超8个赞
首先,不要改变JFrame
绘制的方式(换句话说,不要覆盖paintComponent()
a JFrame
)。创建一个扩展类JPanel
并绘制它JPanel
。其次,不要覆盖paint()
方法。覆盖paintComponent()
。第三,始终运行 Swing 应用程序,SwingUtilities.invokeLater()
因为它们应该在自己的名为 EDT(事件调度线程)的线程中运行。最后,javax.swing.Timer
就是你要找的。
看看这个例子。它每 1500 毫秒在随机 X、Y 上绘制一个椭圆形。
预习:
https://i.stack.imgur.com/KGLff.gif
源代码:
import java.awt.BorderLayout;
import java.awt.Graphics;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;
import javax.swing.Timer;
public class DrawShapes extends JFrame {
private ShapePanel shape;
public DrawShapes() {
super("Random shapes");
getContentPane().setLayout(new BorderLayout());
getContentPane().add(shape = new ShapePanel(), BorderLayout.CENTER);
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setSize(500, 500);
setLocationRelativeTo(null);
initTimer();
}
private void initTimer() {
Timer t = new Timer(1500, e -> {
shape.randomizeXY();
shape.repaint();
});
t.start();
}
public static class ShapePanel extends JPanel {
private int x, y;
public ShapePanel() {
randomizeXY();
}
@Override
protected void paintComponent(Graphics g) {
super.paintComponent(g);
g.fillOval(x, y, 10, 10);
}
public void randomizeXY() {
x = (int) (Math.random() * 500);
y = (int) (Math.random() * 500);
}
}
public static void main(String[] args) {
SwingUtilities.invokeLater(() -> new DrawShapes().setVisible(true));
}
}
TA贡献1868条经验 获得超4个赞
首先,不要继承 JFrame;而是将 JPanel 子类化,并将该面板放在 JFrame 中。其次,不要覆盖paint() - 而是覆盖paintComponent()。第三,创建一个 Swing Timer,并在其 actionPerformed() 方法中进行您想要的更改,然后调用 yourPanel.repaint()
添加回答
举报