我在以下代码中使用repaint方法时遇到问题。请建议如何使用repaint方法,以便为小动画更新我的屏幕。
这是我的代码:

import javax.swing.*;
import java.awt.*;
import java.awt.event.*;

class movingObjects extends JPanel {
   Timer timer;
   int x = 2, y = 2, width = 10, height = 10;

   public void paintComponent(final Graphics g) { // <---- using repaint method
      ActionListener taskPerformer = new ActionListener() {
         public void actionPerformed(ActionEvent ae) {
            g.setColor(Color.red);
            g.drawOval(x, y, width, height);
            g.fillOval(x, y, width, height);
            x++;
            y++;
            width++;
            height++;
         }
      };
      new Timer(100, taskPerformer).start();
   }
}

class mainClass {
   mainClass() {
      buildGUI();
   }

   public void buildGUI() {
      JFrame fr = new JFrame("Moving Objects");
      movingObjects obj = new movingObjects();
      fr.add(obj);
      fr.setVisible(true);
      fr.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
      fr.setSize(1300, 700);
   }

   public static void main(String args[]) {
      new mainClass();
   }
}

最佳答案

不要试图延迟实际绘画。要求绘制组件时需要绘制组件。

而是使用计时器修改MovingObjects中的某些状态。在您的情况下,要更改的状态为xywidthheight。当计时器启动时,增加这些值并调用repaint()

然后在您的paintComponents方法中,您将使用这些值来绘制组件

public void paintComponent(Graphics g) {
  g.setColor(Color.red);
  g.drawOval(x,y,width,height);
  g.fillOval(x,y,width,height);
}


编辑

不确定您遇到了什么问题,但是调用repaint()并不困难:

ActionListener taskPerformer=new ActionListener() {
   public void actionPerformed(ActionEvent ae) {
      x++;
      y++;
      width++;
      height++;
      repaint();
   }
};
new Timer(100,taskPerformer).start();

07-24 21:40