嗨,大家好,我有一个连接到oracle数据库的Swing应用程序,我希望这样,一旦我在JTextField中键入一个值,JFrame上的其他JTextfields就会从数据库中加载后续数据,但我似乎没有实现这个。我尝试了以下代码,但未获取任何内容。
txtNo.addKeyListener(new KeyAdapter() {
public void keyTyped(KeyEvent ke) {
Connection conn = null;
try{
Class.forName("oracle.jdbc.driver.OracleDriver");
conn = DriverManager.getConnection("jdbc:oracle:thin:@localhost:1521:XE", "Username", "Password");
Statement st = conn.createStatement();
String load = "Select * from Store_info_table where PART_NUMBER = '" + txtNo.getText() + "'";
ResultSet rs = st.executeQuery(load);
while(rs.next()){
txtName.setText(rs.getString("SPARE_DESC"));
}
}catch(Exception ae){
}
}
});
最佳答案
您知道数据库连接是否正常吗?例如,您可以在侦听器外部运行数据库部分并且它可以工作吗?
如果是这样,我建议改用ActionListener
或FocusListener
。 KeyListeners(有时有时是必需的)通常很笨拙-通常有更好的方法(有关说明,请参见Java Swing: Using ActionMap):
import java.awt.event.*;
import javax.swing.*;
public class Example extends Box{
JLabel txtName = new JLabel("Nothing Entered");
public temp(){
super(BoxLayout.Y_AXIS);
// Add FocusListener to first field
final JTextField txtNo = new JTextField(20);
txtNo.addFocusListener(new CustomFocusListener(txtNo));
add(txtNo);
// Add TextListener to first field
final JTextField txtNo2 = new JTextField(20);
txtNo2.addFocusListener(new CustomFocusListener(txtNo2));
add(txtNo2);
// Add TextListener to first field
final JTextField txtNo3 = new JTextField(20);
txtNo3.addFocusListener(new CustomFocusListener(txtNo3));
add(txtNo3);
add(new JButton("Do Something"));
add(txtName);
}
public static void main(String[] args){
final JFrame frame = new JFrame();
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add(new Example());
frame.pack();
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
/**
* Your custom focust listener that does all your SQL Work
*/
public class CustomFocusListener extends FocusAdapter{
JTextField field;
public CustomFocusListener(JTextField field){
this.field = field;
}
@Override
public void focusLost(FocusEvent e) {
//Assuming your database connection works, this gives you an example to follow
txtName.setText(field.getText());
/*Connection conn = null;
try{
Class.forName("oracle.jdbc.driver.OracleDriver");
conn = DriverManager.getConnection("jdbc:oracle:thin:@localhost:1521:XE", "Username", "Password");
Statement st = conn.createStatement();
String load = "Select * from Store_info_table where PART_NUMBER = '" + field.getText() + "'";
ResultSet rs = st.executeQuery(load);
while(rs.next()){
txtName.setText(rs.getString("SPARE_DESC"));
}
}catch(Exception ae){
}*/
}
}
}