23

我有一个从 JPanel 继承的类,上面有一个图像,我想设置一个小动画来显示面板/图像,然后在事件触发时将其淡出。

我大概设置了一个线程并启动了动画,但我该如何实际进行淡入淡出呢?

4

3 回答 3

14

你可以自己做线程,但使用Trident库来处理它可能更容易。如果您在您的类上创建一个名为(例如setOpacity)的设置器,您可以要求 trident 在特定时间段内将“不透明度”字段从 1.0 插入到 0.0(这里是一些关于如何使用 Trident 的文档)。

当您绘制图像时,您可以AlphaComposite使用合成的 alpha 参数使用更新的“不透明度”值来实现透明度。有一个 Sun 教程,其中包含一个alpha 复合示例

于 2010-02-09T12:09:49.633 回答
13

这是一个使用 Alpha 透明度的示例。您可以使用此合成工具查看使用不同颜色、模式和 Alpha 的结果。

图片

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

public class AlphaTest extends JPanel implements ActionListener {

    private static final Font FONT = new Font("Serif", Font.PLAIN, 32);
    private static final String STRING = "Mothra alert!";
    private static final float DELTA = -0.1f;
    private static final Timer timer = new Timer(100, null);
    private float alpha = 1f;

    AlphaTest() {
        this.setPreferredSize(new Dimension(256, 96));
        this.setOpaque(true);
        this.setBackground(Color.black);
        timer.setInitialDelay(1000);
        timer.addActionListener(this);
        timer.start();
    }

    @Override
    protected void paintComponent(Graphics g) {
        super.paintComponent(g);
        Graphics2D g2d = (Graphics2D) g;
        g2d.setFont(FONT);
        int xx = this.getWidth();
        int yy = this.getHeight();
        int w2 = g.getFontMetrics().stringWidth(STRING) / 2;
        int h2 = g.getFontMetrics().getDescent();
        g2d.fillRect(0, 0, xx, yy);
        g2d.setComposite(AlphaComposite.getInstance(
            AlphaComposite.SRC_IN, alpha));
        g2d.setPaint(Color.red);
        g2d.drawString(STRING, xx / 2 - w2, yy / 2 + h2);
    }

    @Override
    public void actionPerformed(ActionEvent e) {
        alpha += DELTA;
        if (alpha < 0) {
            alpha = 1;
            timer.restart();
        }
        repaint();
    }

    static public void main(String[] args) {
        EventQueue.invokeLater(new Runnable() {

            @Override
            public void run() {
                JFrame f = new JFrame();
                f.setLayout(new GridLayout(0, 1));
                f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
                f.add(new AlphaTest());
                f.add(new AlphaTest());
                f.add(new AlphaTest());
                f.pack();
                f.setVisible(true);
            }
        });
    }
}
于 2010-02-10T02:26:10.790 回答
6

这里有一些描述图像透明度的有用信息。

你的方法是这样的:

  • 定义一个 Swing以每 N 毫秒在 Event Dispatch 线程上Timer触发一个。ActionEvent
  • 将一个添加ActionListenerTimer应该调用repaint()Component包含的Image.
  • 覆盖Component'paintComponent(Graphics)方法以执行以下操作:
    • Graphics将对象强制转换为Graphics2D.
    • AlphaCompositeGraphics2Dusing上设置一个setComposite。这控制透明度级别。
    • 绘制图像。

对于淡出动画的每次迭代,您将更改 的值AlphaComposite以使图像更加透明。

于 2010-02-09T12:14:31.930 回答