欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

jpa根据日期查询某天数据问题

程序员文章站 2022-04-21 15:34:51
...

问题

项目中有个需求需要用当天日期来查询数据,表中的city_date字段是datetime类型,sql语句查询如下:

select * from city_weather where city_date='2021-10-27';

因为sql语句中的city_date参数'2021-10-27'字符串,所以使用jap操作时,也打算使用String类型的参数。

jpa的dao层方法使用方法名解析的方式定义方法

public interface CityWeatherDao extends JpaRepository<CityWeather,Integer> {
    CityWeather getByCityDate(String today);
}

结果使用时出现错误:

java.lang.IllegalArgumentException: Parameter value [2021-10-27] did not match expected type [java.util.Date (n/a)]
	at org.hibernate.query.spi.QueryParameterBindingValidator.validate(QueryParameterBindingValidator.java:54) ~[hibernate-core-5.4.8.Final.jar:5.4.8.Final]
	at org.hibernate.query.spi.QueryParameterBindingValidator.validate(QueryParameterBindingValidator.java:27) ~[hibernate-core-5.4.8.Final.jar:5.4.8.Final]

由错误信息可知是参数类型不合适,估计是不能采用String类型,那么就改成Date类型

   CityWeather getByCityDate(Date today); //dao层方法修改成Date类型参数

那么查询今天的数据调用方法getByCityDate(new Date()),执行查询成功
但是发现查询的数据始终为null,检查数据库中是有日期为今天的数据的

这次问题就出现在每次new Date()获取的对象表示的是当前时刻,精度是毫秒;
jpa根据日期查询某天数据问题
所以传入查询条件参数是当前时刻,肯定不等于数据库中想要得到数据的city_date,那么查询结果就为null

解决

  1. jpa的dao层定义方法改用sql语句查询的方式
  2. 日期参数采用String类型(因为发现在sql语句中查询,采用字符串类型是没有问题的,见开头)

jpa的dao层方法最终如下:

public interface CityWeatherDao extends JpaRepository<CityWeather,Integer> {
    @Query(value = "select * from city_weather where city_date = ?1",nativeQuery = true)
    CityWeather getByDate(String today);
  }

调用方法getByDate('2021-10-27')查询数据,成功。