? ? ? ? 根据传入的日期模糊查询,返回指定数据的相应字段内容API。
????????核心实现方法是运用SQL的DATEDIFF函数,该函数的作用是返回两个日期之间的天数;例如DATEDIFF(2021-12-12, 2021-12-13)结果就为1。而DATEDIFF在此处的使用方法,是获取数据库中传入日期当天的数据,因此在SQL中的代码如下:
select create_time,
username,
operate_type,
log_content
from sys_log
where 1 = 1
and datediff(create_time, '2021-12-13') = 0
? ? ? ? 由最后一行的datediff() = 0可见,我们从数据库中查询的是与 2021-12-13 相差日期为0天的数据,也就是2021-12-13当天的所有数据。
? ? ? ? 按理来说思路已经很清晰了,只需要在业务代码中具体实施一下就好,xml中的代码如下:
<select id="getLogList" resultType="modules.syslog.vo.SysLogTestVo">
select create_time,
username,
operate_type,
log_content
from sys_log
where 1 = 1
<if test="SysLogTestVo.username != null">
and username like concat ('%', #{SysLogTestVo.username}, '%')
</if>
<if test="SysLogTestVo.createTime != null">
and datediff(create_time, #{SysLogTestVo.createTime})= 0
</if>
<if test="SysLogTestVo.logContent != null">
and log_content = #{SysLogTestVo.logContent}
</if>
</select>
????????但是在给postman传入'2021-12-13'后,报错信息告诉我String格式解析到Date格式失败:
Cannot deserialize value of type `java.util.Date` from String "2021-12-13"
????????而我传入 '2021-12-13 00:00:00'时,又能成功解析了。意思就是,我必须传入一个完全符合Datetime格式的数据,可是前台传给我的数据只会是一个日期,这个问题又没法解决了。
? ? ? ? 最后发现问题是在实体类变量的注解上,创建了一个新的VO层,并给createTime设立了符合前台传输数据的格式:
//这种格式JsonFormat下,要求传入的数据是"yyyy-MM-dd HH:mm:ss"
@JsonFormat(timezone = "GMT+8", pattern = "yyyy-MM-dd HH:mm:ss")
@DateTimeFormat(pattern = "yyyy-MM-dd HH:mm:ss")
private Date createTime;
//而创建的VO层只需要传入"yyyy-MM-dd",就可以成功解析
@JsonFormat(timezone = "GMT+8", pattern = "yyyy-MM-dd")
@DateTimeFormat(pattern = "yyyy-MM-dd")
private Date createTime;
? ? ? ? 至此问题全部解决,只需要在Params里传入'2021-12-13',就可以查询到当天的所有数据。
|