在 MyBatis 中使用基于 resultType 的隐式 TypeHandler for select

Use an implicit TypeHandler based on resultType for select in MyBatis

我正在尝试 select MyBatis 中的时间戳和 return 它作为 LocalDateTime(来自 joda-time)。

如果我尝试将结果 return 作为 java.sql.Timestamp,我的配置工作正常。我证明我的类型处理程序工作正常:如果我在 MyBatis 映射器文件中使用带有 LocalDateTime 的包装 class 作为唯一字段和 resultMap,我得到正确的结果。

但是,当我尝试将此 select 的 org.joda.time.LocalDateTime 指定为 resultType 时,我总是得到 null,就好像忽略了类型处理程序一样。

我的理解是 MyBatis 在我有 resultType="java.sql.Timestamp" 的情况下使用默认的 typeHandler。因此,我希望它使用我在遇到 resultType="org.joda.time.LocalDateTime".

时配置的 typeHandlers 之一

我错过了什么吗?有没有办法使用我的 typeHandler 或我是否被迫制作包装器 class 和 resultMap?这是我的后备解决方案,但我想尽可能避免使用它。

感谢任何帮助。谢谢。

mybatis-config.xml

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE configuration PUBLIC "-//mybatis.org//DTD Config 3.0//EN" "http://mybatis.org/dtd/mybatis-3-config.dtd">
<configuration>
    <typeHandlers>
        <typeHandler javaType="org.joda.time.LocalDate" jdbcType="DATE" handler="...LocalDateTypeHandler"/>
        <typeHandler javaType="org.joda.time.LocalDateTime" jdbcType="TIMESTAMP" handler="...LocalDateTimeTypeHandler"/>
    </typeHandlers>
</configuration>

NotifMailDao.java

import org.joda.time.LocalDateTime;

public interface NotifMailDao {

    LocalDateTime getLastNotifTime(String userId);
}

NotifMailDao.xml

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="lu.bgl.notif.mail.dao.NotifMailDao">

    <select id="getLastNotifTime" resultType="org.joda.time.LocalDateTime">
        SELECT current_timestamp
        AS last_time
        FROM DUAL
    </select>
</mapper>

要使用 TypeHandler 配置,MyBatis 需要知道结果对象的 Java 类型和源列的 SQL 类型。

这里我们在<select />中使用了一个resultType所以MyBatis知道Java类型,但是如果我们不设置它就无法知道SQL类型。唯一的方法是使用 <resultMap />.

解决方案

您需要创建一个包含您想要 return 对象的字段的 Bean(让我们称这个字段为 time)并使用 <resultMap />:

<select id="getLastNotifTime" resultMap="notifMailResultMap">

<resultMap id="mapLastTime" type="MyWrapperBean">
    <result property="time" column="my_sql_timestamp" javaType="org.joda.time.LocalDateTime"
        jdbcType="TIMESTAMP" />
</resultMap>

如果您希望避免创建专用 bean,您也可以按照 的建议在 <resultMap /> 上使用属性 type=hashmap

变体:在 LocalDateTime

上设置 属性

在Google组上提出了solution,直接设置LocalDateTime上的信息。

我对它的理解(如有错误请评论)是它设置了一个LocalDateTime的属性。我不会担保它,因为我没有在 API doc 中找到相应的(我还没有测试过)但是如果你认为它更好,请随意使用它。

<resultMap id="mapLastTime" type="org.joda.time.LocalDateTime">
    <result property="lastTime" column="my_sql_timestamp" javaType="org.joda.time.LocalDateTime"
        jdbcType="TIMESTAMP" />
</resultMap>

为什么它适用于 java.sql.Timestamp

Timestamp 是 SQL 的标准 Java 类型,具有默认的 JDBC 实现 (ResultSet.getTimestamp(int/String))。 MyBatis 的默认处理程序使用此 getter1 因此不需要任何 TypeHandler 映射。我希望每次您使用默认处理程序之一时都会发生这种情况。


1:这是预感。需要引用!

这个答案只等着被更好的东西取代。请投稿!