連接MySQL數據庫可以使用以下步驟:
1. 安裝MySQL數據庫驅動程序:可以使用JDBC驅動程序,也可以使用其他第三方驅動程序。
2. 加載MySQL驅動程序:使用Class.forName()方法加載MySQL驅動程序。
3. 創建數據庫連接:使用DriverManager.getConnection()方法創建數據庫連接,需要指定數據庫連接的URL、用戶名和密碼等信息。
4. 執行SQL語句:使用Connection對象的createStatement()方法創建Statement對象,然后使用Statement對象的executeQuery()方法執行SQL語句。
5. 處理結果集:使用ResultSet對象處理SQL查詢結果。
6. 關閉數據庫連接:使用Connection對象的close()方法關閉數據庫連接。
示例代碼:
```java
import java.sql.*;
public class MySQLConnection {
public static void main(String[] args) {
Connection conn = null;
Statement stmt = null;
ResultSet rs = null;
try {
// 加載MySQL驅動程序
Class.forName("com.mysql.jdbc.Driver");
// 創建數據庫連接
String url = "jdbc:mysql://localhost:3306/test";
String user = "root";
String password = "root";
conn = DriverManager.getConnection(url, user, password);
// 創建Statement對象
stmt = conn.createStatement();
// 執行SQL語句
String sql = "SELECT * FROM student";
rs = stmt.executeQuery(sql);
// 處理結果集
while (rs.next()) {
int id = rs.getInt("id");
String name = rs.getString("name");
int age = rs.getInt("age");
System.out.println("id=" + id + ", 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();
}
}
}
}
```