JDBC 連接數據庫范例
jdbc 連接數據庫范例
本教程提供了如何創建jdbc應用程序的范例,包括:如何打開一個數據庫連接,執行 sql 查詢,并顯示執行結果。
1. jdbc 連接數據庫步驟
構建一個 jdbc 連接數據庫應用程序的六個步驟:
1)導入數據包
需要包括含有需要進行數據庫編程的jdbc類的包。大多數情況下,使用 import java.sql.* 就可以了。
2)注冊jdbc驅動程序
可以與數據庫打開一個通信通道。
3)打開連接
需要使用 drivermanager.getconnection() 方法創建一個 connection 對象,它代表與數據庫的物理連接。
4)執行查詢
需要使用類型聲明的對象建立并提交一個sql語句到數據庫。
5)從結果集中提取數據
要求使用適當的關于 resultset.getxxx() 方法來檢索結果集的數據。
6)清理環境
需要明確地關閉所有的數據庫資源相對依靠jvm的垃圾收集。
2. jdbc 連接數據庫實例
這個范例可以作為一個模板,在需要建立jdbc應用程序。
//step 1. import required packages import java.sql.*; public class firstexample { // jdbc driver name and database url static final string jdbc_driver = "com.mysql.jdbc.driver"; static final string db_url = "jdbc:mysql://localhost/emp"; // database credentials static final string user = "username"; static final string pass = "password"; public static void main(string[] args) { connection conn = null; statement stmt = null; try{ //step 2: register jdbc driver class.forname("com.mysql.jdbc.driver"); //step 3: open a connection system.out.println("connecting to database..."); conn = drivermanager.getconnection(db_url,user,pass); //step 4: execute a query system.out.println("creating statement..."); stmt = conn.createstatement(); string sql; sql = "select id, first, last, age from employees"; resultset rs = stmt.executequery(sql); //step 5: extract data from result set while(rs.next()){ //retrieve by column name int id = rs.getint("id"); int age = rs.getint("age"); string first = rs.getstring("first"); string last = rs.getstring("last"); //display values system.out.print("id: " + id); system.out.print(", age: " + age); system.out.print(", first: " + first); system.out.println(", last: " + last); } //step 6: clean-up environment rs.close(); stmt.close(); conn.close(); }catch(sqlexception se){ //handle errors for jdbc se.printstacktrace(); }catch(exception e){ //handle errors for class.forname e.printstacktrace(); }finally{ //finally block used to close resources try{ if(stmt!=null) stmt.close(); }catch(sqlexception se2){ }// nothing we can do try{ if(conn!=null) conn.close(); }catch(sqlexception se){ se.printstacktrace(); }//end finally try }//end try system.out.println("goodbye!"); }//end main }
現在來編譯上面的例子如下:
c:>javac firstexample.java c:>
當運行firstexample,它會產生以下結果:
c:>java firstexample connecting to database... creating statement... id: 100, age: 18, first: zara, last: ali id: 101, age: 25, first: mahnaz, last: fatma id: 102, age: 30, first: zaid, last: khan id: 103, age: 28, first: sumit, last: mittal c:>