如何用双缓冲在Java中显示Pacman的嘴巴开/关动画?

时间:2009-03-07 19:54:36

标签: java 2d sprite pacman

我正试图在一个一次性的pacman游戏中展示着名的pacman角色开口/关闭动画,我正在制作自己的游戏编程。

我正在做的是绘制张开的嘴图像,然后在完全相同的(x / y)位置重绘闭合的嘴图像。但这不起作用,我只是一直看到闭口动画。

如果我把它放在一个循环中,系统就会冻结,你会看到开口图像闪烁的地方,但你看不到图像被替换。

我已经测试并确保正确加载这两个图像并按预期加载。

这是我的startAnim()函数,当您双击applet时调用它:

public void beginGame() //Called from engine.java
{
    isRunning=true;
    repaint();
    pacman.startAnim();
}

public void startAnim() //In different class, pacman.java
{
    Image orig;
    while (engine.isRunning)
    {
        orig=this.getCurrentImg();
        draw(engine.getGraphics());
        this.setCurrImg(currImg2);
        this.draw(engine.getGraphics());
        this.setCurrImg(orig);
        this.draw(engine.getGraphics());
        try
        {
            Thread.sleep(100);
        }
        catch (InterruptedException e) {}
    }
}

public void draw(Graphics g) //Called from engine.paint()
{
    g.drawImage(getCurrentImg(), getX(), 
            getY(), engine);
}

2 个答案:

答案 0 :(得分:3)

你必须睡在2张图片之间。否则你只会看到最后一幅画。

例如

while( running )
{
    image 1
    draw
    sleep
    image 2
    draw
    sleep
}

类似的东西:

public void startAnim() //In different class, pacman.java
{
                            final int  cnt  = 2;
    Image[] imgs = new Image[ cnt  ];
    int         step = 0;

    imgs[ 0 ] = closedMouthImage;
    imgs[ 1 ] = openMouthImage;

            while ( engine.isRunning )
            {
                this.setCurrImg( imgs[ step ] );
                    draw(engine.getGraphics());
                step = ( step + 1 ) % cnt;
                    try
                    {
                                Thread.sleep(100);
                    }
                    catch (InterruptedException e) {}
            }
}

答案 1 :(得分:2)

正如sfossen所说,在绘制图像之间需要延迟。

还需要考虑其他一些事项。

  • 对于流畅的动画,您可能需要的不仅仅是“张开嘴”和“闭嘴”图像。您需要两个或三个中间图像。
  • 为了简化资源管理,您可能希望将所有动画帧放在一个宽的图像中,这看起来就像是“幻灯片”。然后,要绘制一个框架,可以使用您感兴趣的框架的(x,y)偏移量。
  • 最后,如果你在每次通过程序的主循环时绘制所有框架,那么每次移动他时,吃豆人都会完成整个选择。您应该考虑每次只通过主循环绘制一帧,并使用变量来跟踪您所在的帧。

示例(伪代码)

frameWidth = 32
frameIndex = 0
while(running) {
  // Draw just the frame of your animation that you want
  drawImage(pacmanX, pacmanY, filmStrip, frameIndex * frameWidth, 0, frameWidth, frameHeight)
  frameIndex = (frameIndex + 1) % frameCount

  // Update position of pacman & ghosts
  // Update sound effects, score indicators, etc.
}