我有一个简单的程序,带有jcolorchooser,一些文本字段和一个按钮。
当我按下按钮时,出现jcolorchooser,然后选择一种颜色。
现在,假设我要使用我选择的背景色并将其应用到我的按钮上,如下所示:
public class Slide extends JFrame{
Color bgColor;
JButton colorButton=new JButton();
JColorChooser colorPicker=new JColorChooser();
public Slide(){
JPanel panel=new JPanel();
panel.setLayout(new MigLayout("", "[][][][][]", "[][][][][][]"));
colorButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent arg0) {
JColorChooser.showDialog(null, "title", null);
bgColor=colorPicker.getBackground();
colorButton.setBackground(bgColor);
}
});
colorButton.setText("Pick a color");
panel.add(colorButton, "cell 0 5");
this.setSize(400, 400);
this.setVisible(true);
this.setDefaultCloseOperation(EXIT_ON_CLOSE);
}
public static void main(String args[]){
new Slide();
}
}
问题是我的bgcolor不会应用到我的colorButton.A任何想法?
最佳答案
用户从JColorChooser对话框中选择的颜色将作为showDialog()方法的返回值返回给您。
要使用对话框中选定的颜色更新JButton,应将代码更改为:
colorButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent arg0) {
Color color = JColorChooser.showDialog(null, "title", null);
if (color != null) {
colorButton.setBackground(color);
}
}
});
请注意,如果用户已取消,则showDialog()方法将返回null,这就是为什么我们需要在分配颜色之前检查其值。
方法getBackground()是Component类的一种方法,因此以前的代码
bgColor=colorPicker.getBackground()
只是返回JColorChooser对话框组件的实际颜色。