我有一个JButton
我设置了自定义图标的。现在我希望它在我将鼠标光标拖到它上面时已经显示的图标上显示另一个图标,但我不知道该怎么做,因为如果我使用button.setIcon(icon);
它,它将替换已经显示的图标。我将如何以尽可能简单的方式做到这一点?
user2328614
问问题
3989 次
5 回答
4
我有一个 JButton,我在上面设置了一个自定义图标。现在我希望它在我将鼠标光标拖到它上面时已经显示的图标上显示另一个图标,但我不知道该怎么做,因为如果我使用 button.setIcon(icon); 它将替换已经显示的图标。我将如何以尽可能简单的方式做到这一点
- 我想这就是
JButton.setRolloverIcon(myIcon);
JButton 在 API 中实现了这些方法
JButton.setIcon(myIcon);
JButton.setRolloverIcon(myIcon);
JButton.setPressedIcon(myIcon);
JButton.setDisabledIcon(myIcon);
于 2013-04-30T12:21:26.747 回答
3
如果您的图标已经是透明的,您可以轻松实现自己的图标Icon
以将两者结合起来 -
public class CombineIcon implements Icon {
private Icon top;
private Icon bottom;
public CombineIcon(Icon top, Icon bottom) {
this.top = top;
this.bottom = bottom;
}
public int getIconHeight() {
return Math.max(top.getIconHeight(), bottom.getIconHeight());
}
public int getIconWidth() {
return Math.max(top.getIconWidth(), bottom.getIconWidth());
}
public void paintIcon(Component c, Graphics g, int x, int y) {
bottom.paintIcon(c, g, x, y);
top.paintIcon(c, g, x, y);
}
}
您用于setRolloverIcon(icon)
指定当鼠标悬停在按钮上时要显示的图标。
于 2013-04-30T12:32:39.043 回答
1
我觉得这很容易。
import java.awt.*;
import java.awt.image.BufferedImage;
import java.net.URL;
import javax.imageio.ImageIO;
import javax.swing.*;
class CombinedIconButton {
public static BufferedImage getCombinedImage(BufferedImage i1, BufferedImage i2) {
if (i1.getHeight() != i2.getHeight()
|| i1.getWidth() != i2.getWidth()) {
throw new IllegalArgumentException("Images are not the same size!");
}
BufferedImage bi = new BufferedImage(
i1.getHeight(),
i1.getWidth(),
BufferedImage.TYPE_INT_ARGB);
Graphics g = bi.getGraphics();
g.drawImage(i1,0,0,null);
g.drawImage(i2,0,0,null);
g.dispose();
return bi;
}
public static void main(String[] args) throws Exception {
URL url1 = new URL("http://i.stack.imgur.com/gJmeJ.png"); // blue circle
URL url2 = new URL("http://i.stack.imgur.com/5v2TX.png"); // red triangle
final BufferedImage bi1 = ImageIO.read(url1);
final BufferedImage bi2 = ImageIO.read(url2);
final BufferedImage biC = getCombinedImage(bi1,bi2);
Runnable r = new Runnable() {
@Override
public void run() {
JPanel gui = new JPanel(new BorderLayout());
JToggleButton b = new JToggleButton();
b.setIcon(new ImageIcon(bi1));
b.setRolloverIcon(new ImageIcon(biC));
b.setSelectedIcon(new ImageIcon(bi2));
gui.add(b);
JOptionPane.showMessageDialog(null, gui);
}
};
// Swing GUIs should be created and updated on the EDT
// http://docs.oracle.com/javase/tutorial/uiswing/concurrency/initial.html
SwingUtilities.invokeLater(r);
}
}
从这个答案借来的图像。
于 2013-04-30T12:36:17.110 回答
1
创建包含覆盖的该按钮图标的第二个版本。在鼠标悬停时切换到带有叠加层的图像。
另一种方法可能是将图标与其叠加层组合成内存中的新图标,并将其作为图标放在按钮上。如果您的图标经常更改,这可能是一个好方法。如果不是这种情况,我肯定会使用第一种方法。
于 2013-04-30T12:11:25.663 回答
0
一种方法是:
创建一个图标,当指针通过某些图像编辑工具悬停在按钮顶部时,您希望看到该图标。并在鼠标悬停事件发生后设置该图像。
ps 使用任何图片编辑工具,您可以轻松创建叠加图像。
我现在也看到在 AbsractButton 类中有一个翻转图标的概念。你也可以使用它。
于 2013-04-30T12:12:04.837 回答