Weird color changes on hovering on JButton

2020-02-06 04:41发布

Ok so this was a problem I stumbled upon when I wanted to use transparency..

So the code for changing background on hover is this...

 received.setMouseListener(new MouseAdapter()
 @Override 
 public void mouseEntered(MouseEvent me) 
 {
        received.setBackground(new Color(50,50,50,100));
 } 
});

At the beginning I set the blue color for the button..

Here's the gif showing the color changes...

GifMeme09541718022016.gif https://drive.google.com/file/d/0B9XFyaTVy8oYci1zMmRhMmtYcnM/view?usp=docslist_api

Why does this happen? If this is not a correct approach what is the correct approach?

1条回答
淡お忘
2楼-- · 2020-02-06 05:21

Basically, Swing only understand how to paint transparent and opaque components, it doesn't know how to deal with translucent components, so using an alpha based background color causes issues.

Instead, you need to "fake" it by taking control over how the component's background is painted, for example...

Alpha based hover

public class FakeTransperencyButton extends JButton {

    private float alpha = 0;

    public FakeTransperencyButton(String text) {
        super(text);
        setOpaque(false);
        setBackground(Color.RED);

        addMouseListener(new MouseAdapter() {
            @Override
            public void mouseEntered(MouseEvent e) {
                alpha = 0.4f;
                repaint();
            }

            @Override
            public void mouseExited(MouseEvent e) {
                alpha = 0f;
                repaint();
            }

        });
    }

    @Override
    public boolean isOpaque() {
        return false;
    }

    public float getAlpha() {
        return alpha;
    }

    protected void paintComponent(Graphics g) {
        Graphics2D g2d = (Graphics2D) g.create();
        g2d.setComposite(AlphaComposite.SrcOver.derive(getAlpha()));
        g2d.setColor(getBackground());
        g2d.fillRect(0, 0, getWidth(), getHeight());
        g2d.dispose();
        super.paintComponent(g);
    }

}
查看更多
登录 后发表回答