通常当您使用setEditable(false)
或setEnabled(false)
时,JTextField的背景/前景色会变为“灰显”。但是,如果之前使用setBackground(color)
(例如white
)设置了背景颜色,则对setEnabled
或setEditable
的调用将不再影响背景颜色。相反,它被先前设置的颜色覆盖。
在WinForms(.NET)中,通过将背景颜色“重置”为非重写默认值即Color.Empty
来解决此问题。这将导致文本框重新获得标准行为。但是,我没有找到类似JTextField的“默认值”。如何恢复JTextField以使用默认颜色并在禁用或设置为只读时自动切换颜色?前景色有类似的问题。
答案 0 :(得分:7)
您需要将字段的背景颜色重置为其默认值。
默认的UI委托正在寻找UIResource
,以确定用于给定字段的正确阴影(基于已安装的外观)。
您可以使用以下方法重置背景颜色:
JTextField#setBackground(UIManager.getColor("TextField.background"))
或者,您可以为自定义背景构建自定义UIResource
。
请查看ColorUIResource
了解详情。
答案 1 :(得分:5)
如何将JTextField恢复为使用默认颜色
textField.setBackground( null );
在禁用时自动切换颜色或设置为只读?
使用PropertyChangeListener:
import java.awt.*;
import java.awt.event.*;
import java.beans.*;
import javax.swing.*;
import javax.swing.border.*;
import javax.swing.text.*;
public class SSCCE extends JPanel implements PropertyChangeListener
{
public SSCCE()
{
JTextField textField = new JTextField("Some Text");
// Uncomment and run again to see the difference
//textField.addPropertyChangeListener( this );
textField.setBackground(Color.RED);
textField.setEditable(false);
add(textField);
}
public void propertyChange(PropertyChangeEvent e)
{
System.out.println(e.getPropertyName());
JTextField textField = (JTextField)e.getSource();
if ("editable".equals(e.getPropertyName()))
textField.setBackground( null );
}
private static void createAndShowUI()
{
JFrame frame = new JFrame("SSCCE");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add( new SSCCE() );
frame.pack();
frame.setLocationByPlatform( true );
frame.setVisible( true );
}
public static void main(String[] args)
{
EventQueue.invokeLater(new Runnable()
{
public void run()
{
createAndShowUI();
}
});
}
}