在MyBatis

时间:2015-05-18 15:20:36

标签: java jodatime mybatis

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

如果我尝试将结果作为java.sql.Timestamp返回,则我的配置正常。我证明我的类型处理程序工作正常:如果我使用包含LocalDateTime仅作为字段的包装类和MyBatis映射文件中的resultMap,我会得到正确的结果。

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

据我了解,在我有resultType="java.sql.Timestamp"的情况下,MyBatis使用默认的typeHandler。因此,我希望它能够使用我在遇到resultType="org.joda.time.LocalDateTime"时配置的typeHandler之一。

我错过了什么吗?有没有办法使用我的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 个答案:

答案 0 :(得分:3)

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

这里我们在resultType中使用<select />,因此MyBatis知道Java类型,但如果我们不设置它就无法知道SQL类型。唯一的方法是使用<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>

如果您希望不再创建专用bean,您还可以按照Shobit的建议使用type=hashmap上的属性<resultMap />

变体:在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的默认处理程序使用此getter 1 ,因此不需要任何TypeHandler映射。我希望每次使用其中一个默认处理程序时都会出现这种情况。

1:这是一种预感。需要引文!

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