在Mybatis的官方文檔中說明了,框架內置的TypeHandler類型。請參見http://mybatis.github.io/mybatis-3/zh/configuration.html#typeHandlers html
同時Mybatis支持自定義typeHandler。 java
例如:自定義了一個將Date存爲毫秒時間的VARCHAR類型的TypeHandler git
package demo; public class CustomTimeStampHandler extends BaseTypeHandler<Date> { @Override public void setNonNullParameter(PreparedStatement ps, int i, Date parameter, JdbcType jdbcType) throws SQLException { ps.setString(i, String.valueOf(parameter.getTime())); } @Override public Date getNullableResult(ResultSet rs, String columnName) throws SQLException { String sqlTimestamp = rs.getString(columnName); if (sqlTimestamp != null) { return new Date(Long.parseLong(sqlTimestamp)); } return null; } @Override public Date getNullableResult(ResultSet rs, int columnIndex) throws SQLException { String sqlTimestamp = rs.getString(columnIndex); if (sqlTimestamp != null) { return new Date(Long.parseLong(sqlTimestamp)); } return null; } @Override public Date getNullableResult(CallableStatement cs, int columnIndex) throws SQLException { String sqlTimestamp = cs.getString(columnIndex); if (sqlTimestamp != null) { return new Date(Long.parseLong(sqlTimestamp)); } return null; } }在Mybatis配置中註冊該TypeHandler
<typeHandlers> <typeHandler handler="com.jd.jos.application.note.dao.CustomTimeStampHandler" javaType="java.util.Date" jdbcType="VARCHAR"/> </typeHandlers>
而後就在映射配置文件中使用該TypeHander了。 github
在resultMap的定義中對對應列定義typeHandler: sql
<resultMap type="Note" id="note-base"> <result property="id" column="id" /> <result property="updateTime" column="update_time" jdbcType="VARCHAR" javaType="Date" typeHandler="demo.CustomTimeStampHandler"/> </resultMap>
這裏只能是在select的時候纔會使用自定義的TypeHandler處理對應的映射關係,若是要在insert或者update時使用則須要在sql定義中添加相應的內容。以下: mybatis
<update id="updateRow" parameterType="Note"> update note set update_time=#{updateTime, javaType=Date, jdbcType=VARCHAR} where id=#{id} </update>
這樣在update時,會將Date轉換成毫秒時間。 app
在insert時,按照一樣的處理方式便可。 框架
在官方文檔中看到其在update和insert的處理方式爲 ide
<update id="updateRow" parameterType="NoteBook"> update note set update_time=#{updateTime,typeHandler=demo.CustomTimeStampHandler} where id=#{id} </update>可是我在測試時沒有成功。