JDBC连接数据库步骤
时间: 2023-06-30 14:03:07 浏览: 86
jdbc连接数据库步骤
JDBC连接数据库的步骤如下:
1. 加载JDBC驱动程序
JDBC驱动程序是用来连接数据库的组件,需要先加载到JVM中。使用Class.forName()方法加载驱动程序。
2. 创建数据库连接
通过DriverManager.getConnection()方法创建数据库连接,需要提供数据库的URL、用户名和密码等信息。
3. 创建Statement对象
用于向数据库发送SQL语句的Statement对象,可以通过Connection.createStatement()方法创建。
4. 执行SQL语句并处理结果
执行SQL语句有两种方法,一种是使用Statement对象的executeQuery()方法,用于查询数据库并返回结果集;另一种是使用Statement对象的executeUpdate()方法,用于执行INSERT、UPDATE、DELETE等操作。
5. 关闭连接
使用Connection.close()方法关闭数据库连接,释放资源。
完整的示例代码如下所示:
```java
import java.sql.*;
public class JDBCDemo {
public static void main(String[] args) {
Connection conn = null;
Statement stmt = null;
ResultSet rs = null;
try {
// 加载JDBC驱动程序
Class.forName("com.mysql.jdbc.Driver");
// 创建数据库连接
conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/test", "root", "123456");
// 创建Statement对象
stmt = conn.createStatement();
// 执行SQL语句并处理结果
rs = stmt.executeQuery("SELECT * FROM users");
while (rs.next()) {
String name = rs.getString("name");
int age = rs.getInt("age");
System.out.println("Name: " + name + ", Age: " + age);
}
} catch (ClassNotFoundException e) {
e.printStackTrace();
} 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();
}
}
}
}
```
阅读全文