Cannot invoke "java.sql.Connection.createStatement()" because "connection" is null
时间: 2023-12-25 20:27:51 浏览: 486
这个错误通常是由于连接到数据库时出现问题导致的。当你尝试使用一个空的连接对象调用`createStatement()`方法时,就会出现这个错误。这可能是由于以下原因之一引起的:
1.连接对象未正确初始化或连接失败。
2.连接对象已关闭。
3.连接对象在调用`createStatement()`方法之前被另一个线程关闭。
为了解决这个问题,你可以尝试以下步骤:
1.检查连接字符串是否正确,并确保数据库已启动。
2.确保连接对象已正确初始化并且未被关闭。
3.确保在调用`createStatement()`方法之前,连接对象未被另一个线程关闭。
以下是一个示例代码,演示如何连接到MySQL数据库并执行查询:
```java
import java.sql.*;
public class Example {
public static void main(String[] args) {
Connection conn = null;
Statement stmt = null;
ResultSet rs = null;
try {
// 连接到数据库
conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/mydatabase", "username", "password");
// 创建Statement对象
stmt = conn.createStatement();
// 执行查询
rs = stmt.executeQuery("SELECT * FROM mytable");
// 处理结果集
while (rs.next()) {
// 处理每一行数据
}
} catch (SQLException e) {
e.printStackTrace();
} finally {
// 关闭连接
try {
if (rs != null) rs.close();
if (stmt != null) stmt.close();
if (conn != null) conn.close();
} catch (SQLException e) {
e.printStackTrace();
}
}
}
}
```
阅读全文