我在一个无限循环中的JPanel上显示了一个gif图像。现在我需要在随机数量的帧之后停止动画。实际上,我生成一个可以是0或1的随机数。假设gif由6个帧组成。如果数字为0,我想停在第3帧,如果是1,动画应该在第6帧冻结。
为了实现这一点,我尝试使用Swing Timer,它在下一帧到来时准确触发事件。因此,如果帧具有50 ms的延迟,我构造了像
这样的定时器new Timer(50, this);
可悲的是,这似乎不起作用,实际上动画似乎比Timer慢。 (我认为这与加载Times有关。)无论如何,我添加了一些代码来说明问题和(快)解决方案。
import java.awt.event.*;
import javax.swing.*;
public class GifTest extends JPanel implements ActionListener{
ImageIcon gif = new ImageIcon(GifTest.class.getResource("testgif.gif"));
JLabel label = new JLabel(gif);
Timer timer = new Timer(50, this);
int ctr;
public GifTest() {
add(label);
timer.setInitialDelay(0);
timer.start();
}
@Override
public void actionPerformed(ActionEvent e) {
ctr++;
if (ctr == 13){
timer.stop();
try {
Thread.sleep(1000);
} catch (InterruptedException i) {
}
}
}
public static void main(String[] args) {
JFrame frame = new JFrame("Gif Test");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add(new GifTest());
frame.setSize(150,150);
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
}
对于giftest.gif,它是一个简单的6层,其上有数字1到6,保存时间为50毫秒。
如果有任何帮助,我将不胜感激。
Ps:如果事实证明没有优雅的方法,那么检索当前显示的帧也就足够了。这样我可以要求它并在第3帧(相当于第6帧)时停止。由于任务的上下文,我更喜欢我的解决方案的修改版本。
答案 0 :(得分:0)
您可以按照上面提到的方式解压缩并存储在一组图像中(简单明了)
您还可以使用 ImageObserver Interface 使用更高级的选项:
ImageObserver通过名为的特殊API提供对加载过程的监控:
imageUpdate(Image img, int infoflags, int x, int y, int width, int height)
您可以按如下方式跟踪此API的进度:
ImageIcon gif = new ImageIcon();
JLabel label = new JLabel(gif);
ImageObserver myObserver = new ImageObserver() {
public boolean imageUpdate(Image image, int flags, int x, int y, int width, int height) {
if ((flags & HEIGHT) != 0)
System.out.println("Image height = " + height);
if ((flags & WIDTH) != 0)
System.out.println("Image width = " + width);
if ((flags & FRAMEBITS) != 0)
System.out.println("Another frame finished.");
if ((flags & SOMEBITS) != 0)
System.out.println("Image section :" + new Rectangle(x, y, width, height));
if ((flags & ALLBITS) != 0)
System.out.println("Image finished!");
if ((flags & ABORT) != 0)
System.out.println("Image load aborted...");
label.repaint();
return true;
}
};
gif.setImageObserver( myObserver );
gif.setImage(GifTest.class.getResource("testgif.gif"));
您可以使用return false;
更新:(使用ImageReader)
ImageObserver使用起来并不那么直观
每次需要重新绘制时都会更新,并触发完整的动画序列
虽然你可以将它作为某些点停止,但它每次都会从第一个图像开始执行。
另一种解决方案是使用ImageReader:
ImageReader
可以将GIF解包为BufferedImages
的序列
然后,您可以根据需要使用Timer控制整个序列。
String gifFilename = "testgif.gif";
URL url = getClass().getResource(gifFilename);
ImageInputStream iis = new FileImageInputStream(new File(url.toURI()));
ImageReader reader = ImageIO.getImageReadersByFormatName("GIF").next();
// (reader is actually a GIFImageReader plugin)
reader.setInput(iis);
int total = reader.getNumImages(true);
System.out.println("Total images: "+total);
BufferedImage[] imgs = new BufferedImage[total];
for (int i = 0; i < total; i++) {
imgs[i] = reader.read(i);
Icon icon = new ImageIcon(imgs[i]);
// JLabel l = new JLabel(icon));
}