我想为Swing应用程序使用系统外观。所以我使用了getSystemLookAndFeelClassName()
方法,效果很好。
UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
但是,现在我想更改应用程序的所有
JButtons
(在我的所有JFrames
,JDialogs
,JOptionPanes
,JFileChoosers
等中),仅更改JButtons
。因此,我想知道如何扩展系统的外观,以保持除JButtons
(和JPanels
,我想要用灰色背景显示)以外的所有组件的外观。谢谢。
最佳答案
最后,我扩展了系统外观,如下所示:
UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
UIManager.put("ButtonUI", "com.my.package.MyButtonUI");
UIManager.put("Panel.background", Color.green);
使用
MyButtonUI
:public class MyButtonUI extends BasicButtonUI {
public static final int BUTTON_HEIGHT = 24;
private static final MyButtonUI INSTANCE = new MyButtonUI ();
public static ComponentUI createUI(JComponent b) {
return INSTANCE;
}
@Override
public void paint(Graphics g, JComponent c) {
AbstractButton button = (AbstractButton) c;
Graphics2D g2d = (Graphics2D) g;
final int buttonWidth = button.getWidth();
if (button.getModel().isRollover()) {
// Rollover
GradientPaint gp = new GradientPaint(0, 0, Color.green, 0, BUTTON_HEIGHT * 0.6f, Color.red, true);
g2d.setPaint(gp);
} else if (button.isEnabled()) {
// Enabled
GradientPaint gp = new GradientPaint(0, 0, Color.red, 0, BUTTON_HEIGHT * 0.6f, Color.gray, true);
g2d.setPaint(gp);
} else {
// Disabled
GradientPaint gp = new GradientPaint(0, 0, Color.black, 0, BUTTON_HEIGHT * 0.6f, Color.blue, true);
g2d.setPaint(gp);
}
g2d.fillRect(0, 0, buttonWidth, BUTTON_HEIGHT);
super.paint(g, button);
}
@Override
public void update(Graphics g, JComponent c) {
AbstractButton button = (AbstractButton) c;
if (isInToolBar(button)) {
// Toolbar button
button.setOpaque(false);
super.paint(g, button);
} else if (button.isOpaque()) {
// Other opaque button
button.setRolloverEnabled(true);
button.setForeground(Color.white);
paint(g, button);
} else {
// Other non-opaque button
super.paint(g, button);
}
}
private boolean isInToolBar(AbstractButton button) {
return SwingUtilities.getAncestorOfClass(JToolBar.class, button) != null;
}
}
注意:我建议使用此链接:http://tips4java.wordpress.com/2008/10/09/uimanager-defaults/(来自Robin)
谢谢。