我正在开发一个Spring Web应用程序,其持久层包含在Spring Roo生成的JPA实体中,Hibernate作为持久性提供程序,MySql作为底层数据库。
在我的实体中,我有一个类Detection
,在Roo中生成了一个tstamp java.util.Date
字段,如下所示:
entity jpa --class ~.data.Detection
...
field date --fieldName tstamp --type java.util.Date
...
finder add findDetectionsByTstampBetween
(在执行finder list
)
在我的控制器代码中,我调用了一个点:
List<Detection> detections = Detection.findDetectionsByTstampBetween(from, to).getResultList();
来自和来自两个有效java.util.Date(s
)。在测试样本数据时(确保对于给定的from的选择,对于返回的列表不应该为空),我得到一个空列表并调查原因。
我在tomcat日志中发现Hibernate正在生成以下SQL:
Hibernate: select detection0_.id as id1_3_, ...etc..., detection0_.tstamp as tstamp4_3_ from detection detection0_ where detection0_.tstamp>=?
我希望where子句应该包含一个尾随的“AND detection0_.tstamp<=?
”,检查其他日期范围限制。我查看了Detection.findDetectionsByTstampBetween(Date minTstamp, Date maxTstamp)
中生成的Detection_Roo_Finder.aj
方法,实际上在创建查询的调用中存在“AND”。
public static TypedQuery<Detection> Detection.findDetectionsByTstampBetween(Date minTstamp, Date maxTstamp) {
if (minTstamp == null) throw new IllegalArgumentException("The minTstamp argument is required");
if (maxTstamp == null) throw new IllegalArgumentException("The maxTstamp argument is required");
EntityManager em = Detection.entityManager();
TypedQuery<Detection> q = em.createQuery("SELECT o FROM Detection AS o WHERE o.tstamp BETWEEN :minTstamp AND :maxTstamp", Detection.class);
q.setParameter("minTstamp", minTstamp);
q.setParameter("maxTstamp", maxTstamp);
return q;
}
知道什么可能导致问题吗?
答案 0 :(得分:0)
我终于找到了谜语的解决方案,事实证明,问题与JPA无关。
问题是对持久层的调用是在Rest服务控制器中插入的,具有以下映射:
@ResponseBody
@RequestMapping(value="/detections", method=RequestMethod.GET, params="from, to" )
public Object getDetectionsInRange(
@RequestParam(required=true) @DateTimeFormat(pattern="yyyy-MM-dd HH:mm") final Date from,
@RequestParam(required=true) @DateTimeFormat(pattern="yyyy-MM-dd HH:mm") final Date to
)
{
...
List<Detection> detections = Detection.findDetectionsByTstampBetween(from, to).getResultList();
...
}
错误出现在params=
中@RequestMapping
参数的定义中,正确的格式如下:
@RequestMapping(value="/detections", method=RequestMethod.GET, params={"from", "to"} )
此错误导致/detections
的另一个版本的控制器方法。在第二个版本中,我调用了一个不同的finder方法,它似乎在Hibernate中生成了错误的SQL。
@ResponseBody
@RequestMapping(value="/detections", method=RequestMethod.GET )
public Object getDetections(
@RequestParam(required=false, defaultValue="0") int days,
@RequestParam(required=false, defaultValue="0") int hours,
@RequestParam(required=false, defaultValue="0") int minutes
)
{
...
List<Detection> detections = Detection.findDetectionsByTstampGreaterThanEquals( ... ).getResultList();
...
}