java如何獲取數(shù)據(jù)庫(kù)數(shù)據(jù)

小億
125
2023-08-04 13:53:23

在Java中,可以使用JDBC(Java Database Connectivity)來(lái)連接和操作數(shù)據(jù)庫(kù)。以下是一個(gè)簡(jiǎn)單的示例代碼,演示如何使用JDBC獲取數(shù)據(jù)庫(kù)數(shù)據(jù):
```java
import java.sql.*;

public class DatabaseConnection {
   public static void main(String[] args) {
       Connection connection = null;
       Statement statement = null;
       ResultSet resultSet = null;

       try {
           // 1. 加載數(shù)據(jù)庫(kù)驅(qū)動(dòng)
           Class.forName("com.mysql.cj.jdbc.Driver");

           // 2. 建立數(shù)據(jù)庫(kù)連接
           connection = DriverManager.getConnection("jdbc:mysql://localhost:3306/mydatabase", "username", "password");

           // 3. 創(chuàng)建 Statement 對(duì)象
           statement = connection.createStatement();

           // 4. 執(zhí)行 SQL 查詢
           String sql = "SELECT * FROM mytable";
           resultSet = statement.executeQuery(sql);

           // 5. 處理查詢結(jié)果
           while (resultSet.next()) {
               int id = resultSet.getInt("id");
               String name = resultSet.getString("name");
               int age = resultSet.getInt("age");

               System.out.println("ID: " + id + ", Name: " + name + ", Age: " + age);
           }
       } catch (ClassNotFoundException e) {
           e.printStackTrace();
       } catch (SQLException e) {
           e.printStackTrace();
       } finally {
           // 6. 關(guān)閉數(shù)據(jù)庫(kù)連接和資源
           try {
               if (resultSet != null) {
                   resultSet.close();
               }
               if (statement != null) {
                   statement.close();
               }
               if (connection != null) {
                   connection.close();
               }
           } catch (SQLException e) {
               e.printStackTrace();
           }
       }
   }
}
```
在這個(gè)示例中,首先需要加載數(shù)據(jù)庫(kù)驅(qū)動(dòng),然后建立數(shù)據(jù)庫(kù)連接。接下來(lái),創(chuàng)建一個(gè) Statement 對(duì)象,使用該對(duì)象執(zhí)行 SQL 查詢。查詢結(jié)果返回的是一個(gè) ResultSet 對(duì)象,可以使用 `next()` 方法逐行遍歷結(jié)果集,并使用 `getXxx()` 方法獲取具體的數(shù)據(jù)。最后,記得關(guān)閉數(shù)據(jù)庫(kù)連接和釋放資源。
請(qǐng)注意,上述代碼中的數(shù)據(jù)庫(kù)連接 URL、用戶名和密碼需要根據(jù)實(shí)際情況進(jìn)行修改。

0