如何查看数据库是否删除成功?
How to check if deletion was successful in the database?
当用户在删除字段中输入错误的 ID 时,我想要弹出一个错误。但是即使输入了错误的id,查询仍然进行,但是没有数据被删除。这是我的代码:
String value = jTextField19.getText();
if (value == null || "".equals(value)) {
JOptionPane.showMessageDialog(null, "The field is blank!");
} else {
theQuery("DELETE FROM inventorydb WHERE item_id=('"+jTextField19.getText()+"') AND item_id IS NOT NULL");
}
theQuery
方法:
private void theQuery(String query) {
Connection con = null;
Statement st = null;
try {
con = DriverManager.getConnection("jdbc:mysql://localhost:3306/inventory", "root", "");
st = con.createStatement();
st.executeUpdate(query);
JOptionPane.showMessageDialog(null, "Done!");
} catch (Exception ex) {
JOptionPane.showMessageDialog(null,"Error!");
}
}
首先:不要曾经直接根据用户输入构建SQL查询,而是使用准备好的语句。如果你不知道 SQL 注入,你应该知道。
如果您使用的是 JDBC,您可以检查 #executeUpdate()
的结果以查看有多少行受到影响。如果它是零,那么你可以说它是错误的 id
.
这是方法定义:
public int executeUpdate(java.lang.String sql)
return值为:
An int
that indicates the number of rows affected, or 0
if using a DDL statement.
在手头的程序中,您可以简单地这样做:
int deleted = st.executeUpdate(query);
if (deleted == 0) {
JOptionPane.showMessageDialog(null, "Nothing to delete!");
return;
}
当用户在删除字段中输入错误的 ID 时,我想要弹出一个错误。但是即使输入了错误的id,查询仍然进行,但是没有数据被删除。这是我的代码:
String value = jTextField19.getText();
if (value == null || "".equals(value)) {
JOptionPane.showMessageDialog(null, "The field is blank!");
} else {
theQuery("DELETE FROM inventorydb WHERE item_id=('"+jTextField19.getText()+"') AND item_id IS NOT NULL");
}
theQuery
方法:
private void theQuery(String query) {
Connection con = null;
Statement st = null;
try {
con = DriverManager.getConnection("jdbc:mysql://localhost:3306/inventory", "root", "");
st = con.createStatement();
st.executeUpdate(query);
JOptionPane.showMessageDialog(null, "Done!");
} catch (Exception ex) {
JOptionPane.showMessageDialog(null,"Error!");
}
}
首先:不要曾经直接根据用户输入构建SQL查询,而是使用准备好的语句。如果你不知道 SQL 注入,你应该知道。
如果您使用的是 JDBC,您可以检查 #executeUpdate()
的结果以查看有多少行受到影响。如果它是零,那么你可以说它是错误的 id
.
这是方法定义:
public int executeUpdate(java.lang.String sql)
return值为:
An
int
that indicates the number of rows affected, or0
if using a DDL statement.
在手头的程序中,您可以简单地这样做:
int deleted = st.executeUpdate(query);
if (deleted == 0) {
JOptionPane.showMessageDialog(null, "Nothing to delete!");
return;
}