- 載入目標資料庫專用之JDBC驅動程式 (呼叫java.lang.Class類別中的forName()方法) (呼叫forName()方法所需參數為 "com.mysql.jdbc.Driver")
Class.forName("com.mysql.jdbc.Driver");
//Class name = 這段是參考forName的API文件來了解應該用什麼回傳值型態來接收
- 通過DriverManager class與資料庫取得連線, 連線成功可取回Connection物件 (呼叫java.sql.DriverManager類別中的getConnection()方法) (呼叫getConnection()方法所需參數為 "jdbc:mysql://localhost/hr?user=root&password=xxxxx", 其中xxxxx須改為自已設定的資料庫最高管理員密碼)
DriverManager.getConnection("jdbc:mysql://localhost/hr?user=root");
//然後藉由API技術文件,或CTRL+按住method名(看API),確認getConnection的回傳值型態
Connection b = DriverManager.getConnection("jdbc:mysql://localhost/hr?user=root");
- 通過Connection物件建立Statement物件 (呼叫java.sql.Connection中的createStatement()方法)
Statement c = b.createStatement();
//原因複雜,需要了解為什麼上面的b可以代替c來實作createStatement()
- 通過Statement物件對資料庫下達SQL資料查詢指令並取得回傳之ResultSet物件 (呼叫java.sql.Statement中的executeQuery()方法並給予"select * from employees"參數)
ResultSet d = c.executeQuery("select * from employees");
- 取出ResultSet物件中的資料並進行所需運用 (呼叫java.sql.ResultSet中的next()方法後再呼叫java.sql.ResultSet中的getXXX()方法)
while (d.next()) {
System.out.println(d.getString("empid") + " " + d.getString("name") + " " + d.getString("grade"));
}
- 關閉通道
d.close();
c.close();
b.close();
完整程式碼:
package com.hellopianoman.salarytestdb;
import java.sql.*;
public class SalaryTest {
public static void main(String[] args) throws Exception {
Class a = Class.forName("com.mysql.jdbc.Driver");
Connection b = DriverManager.getConnection("jdbc:mysql://localhost/hr?user=root");
Statement c = b.createStatement();
ResultSet d = c.executeQuery("select * from employees");
while (d.next()) {
System.out.println(d.getString("empid") + " " + d.getString("name") + " " + d.getString("grade"));
}
d.close();
c.close();
b.close();
}
}
講解:
package com.hellopianoman.salarytestdb;
import java.sql.*;
public class SalaryTest {
public static void main(String[] args) throws Exception {
Class c = Class.forName("com.mysql.jdbc.Driver");
Connection conn = DriverManager.getConnection("jdbc:mysql://127.0.0.1/hr?user=root&password=");
// Connection是interface,裡面都是抽象method所以不能new, 程式使用抽象形態的目的往往是為了方便更換實作類別
// 而getConnection() method的回傳值將會是Connection interface的後代, 也就是有實作(implements) Connection interface的class的實體
// 後代輩份小, 可自動升級為祖先型態
System.out.println(conn);
Statement stmt = conn.createStatement();
// Statement是interface,裡面都是抽象method所以不能new,
// 而conn.createStatement() method的回傳值將會是Statement interface的後代, 也就是有實作(implements) Statement interface的class的實體
// 後代輩份小, 可自動升級為祖先型態
System.out.println(stmt);
}
}
(感謝Rain畫出記憶體示意圖)