若要使用iBATIS執行的任何CRUD(創建,寫入,更新和刪除)操作,需要創建一個的POJO(普通Java對象)類對應的表。本課程介紹的對象,將“模式”的數據庫表中的行。
POJO類必須實現所有執行所需的操作所需的方法。
我們已經在MySQL下有EMPLOYEE表:
CREATE TABLE EMPLOYEE ( id INT NOT NULL auto_increment, first_name VARCHAR(20) default NULL, last_name VARCHAR(20) default NULL, salary INT default NULL, PRIMARY KEY (id) );
我們會在Employee.java文件中創建Employee類,如下所示:
public class Employee { private int id; private String first_name; private String last_name; private int salary; /* Define constructors for the Employee class. */ public Employee() {} public Employee(String fname, String lname, int salary) { this.first_name = fname; this.last_name = lname; this.salary = salary; } } /* End of Employee */
可以定義方法來設置表中的各個字段。下一章節將告訴你如何獲得各個字段的值。
要定義使用iBATIS SQL映射語句中,我們將使用<insert>標簽,這個標簽定義中,我們會定義將用於在IbatisInsert.java文件的數據庫執行SQL INSERT查詢“id”。
<?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE sqlMap PUBLIC "-//ibatis.apache.org//DTD SQL Map 2.0//EN" "http://ibatis.apache.org/dtd/sql-map-2.dtd"> <sqlMap namespace="Employee"> <insert id="insert" parameterClass="Employee"> insert into EMPLOYEE(first_name, last_name, salary) values (#first_name#, #last_name#, #salary#) <selectKey resultClass="int" keyProperty="id"> select last_insert_id() as id </selectKey> </insert> </sqlMap>
這裡parameterClass:可以采取一個值作為字符串,整型,浮點型,double或根據要求任何類的對象。在這個例子中,我們將通過Employee對象作為參數而調用SqlMap類的insert方法。
如果您的數據庫表使用IDENTITY,AUTO_INCREMENT或串行列或已定義的SEQUENCE/GENERATOR,可以使用<selectKey>元素在的<insert>語句中使用或返回數據庫生成的值。
文件將應用程序級別的邏輯在Employee表中插入記錄:
import com.ibatis.common.resources.Resources; import com.ibatis.sqlmap.client.SqlMapClient; import com.ibatis.sqlmap.client.SqlMapClientBuilder; import java.io.*; import java.sql.SQLException; import java.util.*; public class IbatisInsert{ public static void main(String[] args) throws IOException,SQLException{ Reader rd = Resources.getResourceAsReader("SqlMapConfig.xml"); SqlMapClient smc = SqlMapClientBuilder.buildSqlMapClient(rd); /* This would insert one record in Employee table. */ System.out.println("Going to insert record....."); Employee em = new Employee("Zara", "Ali", 5000); smc.insert("Employee.insert", em); System.out.println("Record Inserted Successfully "); } }
下面是步驟來編譯並運行上述軟件。請確保已在進行的編譯和執行之前,適當地設置PATH和CLASSPATH。
創建Employee.xml如上所示。
創建Employee.java如上圖所示,並編譯它。
創建IbatisInsert.java如上圖所示,並編譯它。
執行IbatisInsert二進制文件來運行程序。
會得到下面的結果,並創紀錄的將在EMPLOYEE表中創建。
$java IbatisInsert Going to insert record..... Record Inserted Successfully
去查看EMPLOYEE表,它應該有如下結果:
mysql> select * from EMPLOYEE; +----+------------+-----------+--------+ | id | first_name | last_name | salary | +----+------------+-----------+--------+ | 1 | Zara | Ali | 5000 | +----+------------+-----------+--------+ 1 row in set (0.00 sec)