Mybatis自定義TypeHandler
阿新 • • 發佈:2019-01-10
先介紹業務模型:
一個學生類。
public class Student {
private long id;
private String studentName;// 姓名
private Sex sex;// 性別
private int selfcardNo;// 學生證號
private String note;
private StudentSelfcard studentSelfcard;// 級聯的學生證類
}
性別列舉類:
public enum Sex {
MALE(1,"男"), FEMALE(2, "女");
private int id;
private String name;
}
需求是性別在資料庫中使用int儲存,在Java中使用列舉類,這個時候如果想讓Mybatis為我們將資料庫中的學生表繫結為學生物件,需要自定義一個列舉型別處理器。
分為幾步:
一、寫一個實現TypeHandler介面的自定義TypeHandler,如下:
@MappedTypes({Sex.class})
@MappedJdbcTypes(JdbcType.INTEGER)
public class SexEnumTypeHandler implements TypeHandler<Sex> {
public void setParameter(PreparedStatement preparedStatement, int i, Sex sex, JdbcType jdbcType) throws SQLException {
preparedStatement.setInt(i, sex.getId());
}
public Sex getResult(ResultSet resultSet, String s) throws SQLException {
int id = resultSet.getInt(s);
return Sex.getSex(id);
}
public Sex getResult(ResultSet resultSet, int i) throws SQLException {
int id = resultSet.getInt(i);
return Sex.getSex(id);
}
public Sex getResult(CallableStatement callableStatement, int i) throws SQLException {
int id = callableStatement.getInt(i);
return Sex.getSex(id);
}
}
二、 在Mybatis配置檔案中配置。
<!--註冊型別處理器-->
<typeHandlers>
<typeHandler handler="com.lrx.dao.SexEnumTypeHandler"
javaType="com.lrx.model.Sex" jdbcType="INTEGER"/>
</typeHandlers>
三、在需要使用此TypeHandler的地方註明。(Mapper配置檔案中)
<mapper namespace="com.lrx.dao.StudentMapper">
<resultMap id="findStudentByIdMap" type="com.lrx.model.Student">
<id column="id" property="id"/>
<result column="student_name" property="studentName"
typeHandler="com.lrx.dao.MyStringTypeHandler"/>
<!--自定義的型別處理器,處理資料庫中integer型別和Java的列舉型別的轉換-->
<result column="sex" property="sex"
typeHandler="com.lrx.dao.SexEnumTypeHandler"/>
<result column="selfcard_no" property="studentName"/>
<result column="note" property="note"/>
<!--級聯屬性-->
<association property="studentSelfcard" column="id" select="com.lrx.dao.StudentSelfcardMapper.findStudentSelfCardByStudentId"/>
</resultMap>
<select id="findStudentById" parameterType="int" resultMap="findStudentByIdMap">
SELECT id, student_name, sex, selfcard_no, note
FROM t_student WHERE id = #{stuId}
</select>
</mapper>
這個時候就可以寫一個測試類測試一下自定義的TypeHandler是否正常工作了。當我測試時,出現瞭如下異常:
Cause: org.apache.ibatis.executor.ExecutorException: No constructor found in com.lrx.model.Student matching [java.lang.Long, java.lang.String, java.lang.Integer, java.lang.Integer, java.lang.String]
似乎是因為沒有相應的建構函式,當我加上建構函式時,依舊報錯,於是我將錯誤原因定位到了沒有將自定義的TypeHandler成功配置。經過反反覆覆的檢視,我確定自定義的TypeHandler是可以工作的。沒辦法,只好Google一下,發現這個原因竟然是因為沒有預設的建構函式造成的,加上之後,成了。
經過思考,初步認為,Mybatis會在將資料庫中的表繫結為實體類時,會先去找有沒有對應引數型別的構造方法,沒有的話會呼叫預設構造方法(如果自己定義了一個構造方法會覆蓋預設方法),由於資料庫中sex屬性使用int表示,TypeHandler不會在此時呼叫,故沒有對應的構造方法,這個時候又沒有預設的構造方法,所以報了異常。