我希望从循环中创建JButton
控件,然后使用事件处理程序提取相关信息并使用SQL命令进一步处理该信息。
但是,我无法访问创建的按钮对象的组件名称或组件文本字段。
try {
String SQL = "SELECT * FROM Products";
ResultSet rs = GetDB.AccessDatabse(SQL);
while(rs.next()){
JButton btn = new JButton();
btn.setText(rs.getString("ProductName"));
btn.setName(rs.getString("ProductName"));
System.out.println(btn.getName());
btn.addActionListener(this);
add(btn);
}
}
catch (SQLException ex) {System.out.println("GUI Creation Error");}
}
@Override
public void actionPerformed(ActionEvent ae){
System.out.println(this.getName());
}
我希望将按钮名称设置为SQL查询结果,但是在尝试打印结果时,每个按钮都会显示"frame0"
。
每个按钮的文本区域都有效
答案 0 :(得分:1)
您正在getName()
上呼叫this
,这不是按钮,而是您的上下文,即您的JFrame
。
您需要解析ActionEvent
的来源。
在这里,我编写了一些快速代码,可以执行您想要的操作:
actionPerformed(ActionEvent e) {
if(e.getSource() instanceof JButton) {
//Casting here is safe after the if condition
JButton b = (JButton) e.getSource();
System.out.println(b.getText());
} else {
System.out.println("Something other than a JButton was clicked");
}
}
我的工作:我检查操作源是否为JButton
,然后将其强制转换为新的局部变量,然后获取其文本。