Java程序连接数据库通常需要以下几个步骤:
-
加载数据库驱动程序:通过Class.forName()方法加载特定数据库的驱动程序,例如MySQL的驱动程序为com.mysql.jdbc.Driver。如果使用JDBC4.0及以上版本的驱动程序,可以省略此步骤。
-
建立数据库连接:通过DriverManager.getConnection()方法创建与数据库的连接,需要指定数据库的URL、用户名和密码等信息。
-
创建Statement对象:通过Connection.createStatement()方法创建Statement对象,用于执行SQL语句。
-
执行SQL语句:通过Statement对象的executeQuery()方法执行查询语句,executeUpdate()方法执行更新语句。
-
处理结果集:通过ResultSet对象获取查询结果,并提取结果集中的数据。
-
关闭连接和Statement对象:通过Connection.close()和Statement.close()方法关闭数据库连接和Statement对象。下面是一个连接MySQL数据库的示例代码:
import java.sql.*;
public class ConnectMySQL {
public static void main(String[] args) {
Connection conn = null;
Statement stmt = null;
ResultSet rs = null;
try {
// 加载MySQL的驱动程序
Class.forName(“com.mysql.jdbc.Driver”);
// 建立数据库连接
conn = DriverManager.getConnection(“jdbc:mysql://localhost:3306/test”, “root”, “password”);
// 创建Statement对象
stmt = conn.createStatement();
// 执行SQL查询语句
rs = stmt.executeQuery(“SELECT * FROM users”);
// 处理查询结果集
while (rs.next()) {
int id = rs.getInt(“id”);
String name = rs.getString(“name”);
String email = rs.getString(“email”);
System.out.println(id + “\t” + name + “\t” + email);
}
} catch (ClassNotFoundException e) {
e.printStackTrace();
} catch (SQLException e) {
e.printStackTrace();
} finally {
try {
// 关闭连接和Statement对象
if (rs != null) rs.close();
if (stmt != null) stmt.close();
if (conn != null) conn.close();
} catch (SQLException e) {
e.printStackTrace();
}
}
}
}