idea报 Cannot invoke "java.sql.Connection.createStatement()" because "conn" is null
时间: 2024-06-14 16:04:44 浏览: 252
CRASH问题:java.lang.NullPointerException
5星 · 资源好评率100%
这个错误是因为你在调用`java.sql.Connection.createStatement()`方法时,`conn`对象为空。这意味着你没有成功建立数据库连接或者连接已经关闭。你需要确保在调用`createStatement()`方法之前,已经成功建立了数据库连接并且连接对象`conn`不为空。
以下是一个示例代码,演示了如何建立数据库连接并执行SQL查询:
```java
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
public class Main {
public static void main(String[] args) {
Connection conn = null;
Statement stmt = null;
ResultSet rs = null;
try {
// 1. 注册驱动(省略)
// 2. 建立数据库连接
conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/mydatabase", "username", "password");
// 3. 创建Statement对象
stmt = conn.createStatement();
// 4. 执行SQL查询
String sql = "SELECT * FROM mytable";
rs = stmt.executeQuery(sql);
// 5. 处理查询结果
while (rs.next()) {
// 处理每一行数据
// ...
}
} catch (SQLException e) {
e.printStackTrace();
} finally {
// 6. 关闭资源
try {
if (rs != null) {
rs.close();
}
if (stmt != null) {
stmt.close();
}
if (conn != null) {
conn.close();
}
} catch (SQLException e) {
e.printStackTrace();
}
}
}
}
```
请注意,你需要将上述代码中的`"jdbc:mysql://localhost:3306/mydatabase"`替换为你的数据库连接字符串,`"username"`替换为你的数据库用户名,`"password"`替换为你的数据库密码。
阅读全文