明輝手游網(wǎng)中心:是一個免費提供流行視頻軟件教程、在線學(xué)習(xí)分享的學(xué)習(xí)平臺!

JDBC 2.0中的高級數(shù)據(jù)分類

[摘要]JDBC 2.0中提供了對SQL3標(biāo)準(zhǔn)中引入的新的數(shù)據(jù)類型,如Blob(binary large object)、Clob(character large object)、Array 對象、REF(對象參考,object reference)和 UDT(用戶定義數(shù)據(jù)類型,user-defined ...
JDBC 2.0中提供了對SQL3標(biāo)準(zhǔn)中引入的新的數(shù)據(jù)類型,如Blob(binary large object)、Clob(character large object)、Array 對象、REF(對象參考,object reference)和 UDT(用戶定義數(shù)據(jù)類型,user-defined datatype)等的支持。這些新的數(shù)據(jù)類型結(jié)合在一起,使得數(shù)據(jù)庫設(shè)計人員可以創(chuàng)建更豐富的模式,并簡化了對復(fù)雜數(shù)據(jù)的處理和持久化。

  例如,我們要向tbl_User表中插入用戶的照片,這時就可以使用流將Blob對象導(dǎo)入數(shù)據(jù)庫中:

  String sql = "intsert into tbl_User values(?, ?)";
  PreparedStatement pstmt = con.prepareStatement(sql) ;

  File file = new File("C:/images/photo.jpg") ;
  FileInputStream fis = new FileInputStream(file);

  pstmt.setString(1, "John");
  pstmt.setBinaryStream(2, fis, (int)file.length());

  pstmt.executeUpdate();

  pstmt.close();
  fis.close();

  其中SQL語句的第一個參數(shù)為用戶名,第二個參數(shù)為photo,它是一個Blob型對象。這樣在將數(shù)據(jù)插入數(shù)據(jù)庫之后,我們就可以用程序獲取該數(shù)據(jù)了:

  String sql = "select photo from tbl_User where username = ?";
  PreparedStatement pstmt = con.prepareStatement(selectSQL) ;

  pstmt.setString(1, "John");
  ResultSet rs = pstmt.executeQuery() ;

  rs.next();
  Blob blob = rs.getBlob("photo") ;

  ImageIcon icon = new ImageIcon(blob.getBytes(1, (int)blob.length())) ;
  JLabel photo = new JLabel(icon);

  rs.close();
  pstmt.close();

  類似地,我們也可以對Clob對象進(jìn)行相應(yīng)的操作。下面是一個從 ASCII 流中直接將 Clob對象插入數(shù)據(jù)庫中的例子:

  String sql = "insert into tbl_Articles values(?,?)";
  PreparedStatement pstmt = con.prepareStatement(sql) ;

  File file = new File("C:/data/news.txt") ;
  FileInputStream fis = new FileInputStream(file);

  pstmt.setString(1, "Iraq War");
  pstmt.setAsciiStream(2, fis, (int)file.length());

  pstmt.executeUpdate();

  pstmt.close();
  fis.close();

  同樣,我們也可以用類似的方法將Clob對象從數(shù)據(jù)庫中取出:

  String sql = "select content from tbl_Articles where title = ?";
  PreparedStatement pstmt = con.prepareStatement(sql) ;

  pstmt.setString(1, "Iraq War");
  ResultSet rs = pstmt.executeQuery() ;

  rs.next() ;
  Clob clob = rs.getClob("content") ;

  InputStreamReader in = new InputStreamReader(clob.getAsciiStream()) ;

  JTextArea text = new JTextArea(readString(in)) ;

  rs.close();
  pstmt.close();