如何在摆动中淡化图像?
我有一个从JPanel继承的类,上面有一个图像,我想设置一个小动画来显示面板/图像,然后在事件触发时将其淡出。
我大概设置了一个线程并触发动画,但是我如何实际进行淡入淡出?
我有一个从JPanel继承的类,上面有一个图像,我想设置一个小动画来显示面板/图像,然后在事件触发时将其淡出。
我大概设置了一个线程并触发动画,但是我如何实际进行淡入淡出?
您可以自己执行线程,但使用 Trident 库来处理它可能更容易。如果您在类上创建了一个名为(比如说)的 setter,则可以要求 Trident 在特定时间段内将“不透明度”字段从 1.0 插入到 0.0(以下是一些有关如何使用 Trident 的文档)。setOpacity
绘制图像时,可以使用 合成的 alpha 参数的更新的“不透明度”值,使用 执行 透明度。有一个 Sun 教程,其中包含一个 alpha 复合示例。AlphaComposite
下面是使用 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);
}
});
}
}