0

所以这基本上就是我的代码的工作方式

class Main extends JFrame implements Runnable {

   public Main() {
      //init everything
   }

   public void start() {
      running = true;
      Thread thread = new Thread(this);
      thread.start();
   }

   public void run() {
      while(running) {
         render();
      }
   }

   public void render() {
      Image dbImage  = createImage(width, height);
      Graphics dbg = dbImage.getGraphics();
      draw(dbg);
      Graphics g = getGraphics();
      g.drawImage(dbImage, 0, 0, this);
      g.dispose();
   }

   public void draw(Graphics g) {
      for(int y=0; y < map.length; y++) {
         for(int x=0; x < map.length; x++) {
            g.drawImage(map.map[x + y* map.MAP_DIM], x*MAP_DIM, y*MAP_DIM, this);
         }
      }
   }

   public static void main(String... args) {
      Main main = new Main();
      main.start();
   }
}

但什么都没有画出来,我看到的都是灰色的。有谁知道可能是什么问题?我尝试在 draw() 方法结束时执行 repaint(),但仍然没有。

4

1 回答 1

1

您不应该使用 Java 中的 Swing 自己管理绘图。

您必须让EDT线程通过其自己的线程调用适当的重绘方法。这是通过调用JComponent's来完成的paint(Graphics g)。现在你不应该重写那个方法,paintComponent(Graphics g)而是。

所以你应该把你的draw方法从线程移到适当的draw方法:

public void run() {
  while (running)
    repaint();
}

public void paintComponent(Graphics g) {
  draw(g);
}

请注意,您应该以固定的帧速率调用重绘并使用双缓冲来避免闪烁。

一个更简单的解决方案是嵌入一些已经为这种工作准备好的东西,比如一个运行良好的处理框架。

于 2013-01-04T02:14:34.583 回答