使用基于 resultType 的隐式 TypeHandler 在 MyBatis 中进行选择

2022-09-03 07:56:14

我正在尝试在MyBatis中选择一个时间戳并将其作为LocalDateTime(从joda时间)返回。

如果我尝试将结果作为 返回,我的配置工作正常。我证明了我的类型处理程序工作正常:如果我在 MyBatis 映射器文件中使用具有 as only 字段和 resultMap 的包装类,我会得到正确的结果。java.sql.TimestampLocalDateTime

但是,当我尝试为此选择指定 as 时,我总是得到 ,就好像类型处理程序被忽略一样。org.joda.time.LocalDateTimeresultTypenull

我的理解是,MyBatis在我拥有的情况下使用默认类型Handler。因此,我希望它使用我在会议时配置的类型处理程序之一。resultType="java.sql.Timestamp"resultType="org.joda.time.LocalDateTime"

我错过了什么吗?有没有办法利用我的typeHandler,或者我被迫制作一个包装器类和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>

答案 1

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

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

解决方案

您需要创建一个包含要返回的对象的单个字段的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>

如果您希望节省专用豆的创建时间,也可以按照Shobit的建议使用您的属性。type=hashmap<resultMap />

变量:将属性设置为LocalDateTime

在 Google 网上论坛上提出了一个解决方案,该解决方案直接在 .LocalDateTime

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

<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:这是一种预感。需要引用!

这个答案只是等待被更好的东西所取代。请做出贡献!


答案 2

推荐