org.apache.jasper.JasperException: 无法为JSP编译类: JSP文件:[/QianDao1.jsp] 的第 [24] 行发生了一个错误 Type mismatch: cannot convert from Statement to PreparedStatement 21: try{ 22: conn = SQLConn.openDB(); 23: 24: stmt = conn.createStatement();
时间: 2024-02-29 11:52:17 浏览: 154
这异常是由于类型不匹配导致的,`conn.createStatement()` 方法返回 `Statement` 类型的对象,而 `stmt` 变量的类型为 `PreparedStatement`,因此在编译时出现了类型不匹配的错误。
要解决这个问题,你可以将 `stmt` 的类型更改为 `Statement`,或者使用 `conn.prepareStatement()` 方法来创建一个 `PreparedStatement` 对象。例如:
将 `stmt` 的类型更改为 `Statement`,并使用 `conn.createStatement()` 方法创建 `stmt` 对象:
```
<%
Connection conn = null;
Statement stmt = null;
ResultSet rs = null;
try {
conn = SQLConn.openDB();
stmt = conn.createStatement();
// 执行查询等操作
} catch (SQLException e) {
e.printStackTrace();
} finally {
// 关闭连接和声明
if (rs != null) rs.close();
if (stmt != null) stmt.close();
if (conn != null) conn.close();
}
%>
```
在这个例子中,我们将 `stmt` 的类型更改为 `Statement`,并使用 `conn.createStatement()` 方法创建 `stmt` 对象。
使用 `conn.prepareStatement()` 方法来创建一个 `PreparedStatement` 对象:
```
<%
Connection conn = null;
PreparedStatement stmt = null;
ResultSet rs = null;
try {
conn = SQLConn.openDB();
String sql = "SELECT * FROM TABLE_NAME WHERE ID=?";
stmt = conn.prepareStatement(sql);
stmt.setInt(1, id);
rs = stmt.executeQuery();
// 执行查询等操作
} catch (SQLException e) {
e.printStackTrace();
} finally {
// 关闭连接和声明
if (rs != null) rs.close();
if (stmt != null) stmt.close();
if (conn != null) conn.close();
}
%>
```
在这个例子中,我们使用 `conn.prepareStatement()` 方法创建了一个 `PreparedStatement` 对象,并在 `try` 语句块中设置了参数和执行查询等操作。在 `finally` 块中关闭连接和声明。
阅读全文