我在项目中使用MyBat和MySql。
我有:
myField ENUM('是','不')
我希望映射到java boolean value:
我知道我可以修改所有的mybatis模板,例如:
<update id="update">
UPDATE
myTable
<set>
...
<if test="myField != null">myField = <choose>
<when test="myField == true">'yes'</when>
<otherwise>'no'</otherwise>
</choose>,
</if>
...
</set>
WHERE
...
</update>
但我能以更方便的方式做到这一点吗?
答案 0 :(得分:11)
解决这个问题的最佳方法似乎是实现我自己的布尔类型处理程序:
public class YesNoBooleanTypeHandler extends BaseTypeHandler<Boolean> {
@Override
public void setNonNullParameter(PreparedStatement ps, int i, Boolean parameter, JdbcType jdbcType)
throws SQLException {
ps.setString(i, convert(parameter));
}
@Override
public Boolean getNullableResult(ResultSet rs, String columnName)
throws SQLException {
return convert(rs.getString(columnName));
}
@Override
public Boolean getNullableResult(ResultSet rs, int columnIndex)
throws SQLException {
return convert(rs.getString(columnIndex));
}
@Override
public Boolean getNullableResult(CallableStatement cs, int columnIndex)
throws SQLException {
return convert(cs.getString(columnIndex));
}
private String convert(Boolean b) {
return b ? "yes" : "no";
}
private Boolean convert(String s) {
return s.equals("yes");
}
}
然后在映射器模板中使用它:
<update id="update">
UPDATE
myTable
<set>
...
<if test="myField != null">myField = #{myField ,typeHandler=YesNoBooleanTypeHandler}</if>
...
</set>
WHERE
...
</update>