JPQL:否则将无法正常工作

时间:2018-07-26 08:42:57

标签: java postgresql spring-boot jpa jpql

我在存储库中定义了以下方法:

@Query("SELECT t FROM Treatment t WHERE " +
        " (t.promotionCode.promotion.id=:promotionId)  " +
        " order by t.id desc")
Page<Treatment> findByPromotionId(@Param("promotionId")Integer id, Pageable pr);

它按预期工作:我得到了包含属于给定促销的PromotionCode的治疗列表。

但是随后我需要添加第二个促销代码,这样一个Treatment最多可以链接到两个促销(两个促销代码可能属于同一促销,这不是问题)。因此,我尝试将新要求添加到查询中:

@Query("SELECT t FROM Treatment t WHERE " +
            " (t.promotionCode.promotion.id=:promotionId)  " +
            " OR " +
            " (t.promotionCode2.promotion.id=:promotionId)  " +
            " order by t.id desc")
Page<Treatment> findByPromotionId(@Param("promotionId")Integer id, Pageable pr);

但是我不会工作。生成的SQL是

select ...
from treatment treatment0_ 
  cross join promotion_code promotionc1_ 
  cross join promotion_code promotionc2_ 
where 
  treatment0_.promotion_code_id=promotionc1_.id and
  treatment0_.promotion_code2_id=promotionc2_.id and 
  (promotionc1_.promo_id=? or promotionc2_.promo_id=?)
order by 
  treatment0_.id desc limit ?

您会注意到,促销代码之一为空时,将不满足该条件。

一些细节,即使它们在代码中显而易见:

  • treatment旁边有一个名为promotion_code的表和另一个名为promotion的表。
  • 所有表都有数字ID(自动递增)。
  • promotion_code_idpromotion_code2_id是位于promotion_code的FK pointig,也具有指向promotion的FK,并且不能为空(所有促销代码都属于促销)。

我想查找通过任何促销代码列与促销链接的所有治疗方法。两个字段都可以为空。

我该如何解决?

2 个答案:

答案 0 :(得分:1)

您可以尝试使用标准API。

CriteriaBuilder接口提供了采用两个表达式操作数(包括谓词实例)并返回新的谓词实例的工厂方法:

  Predicate p1 = cb.and(isInUN, isInEU);  // Member of both UN and EU
  Predicate p2 = cb.or(isInOECD, isLarge); // Either OECD member or large

其他工厂方法可用于多种谓词:

  Predicate p3 = cb.and(p1, isLarge, cb.isTrue(isInOECD));
  Predicate p4 = cb.or(p2, cb.isTrue(isInUN), cb.isTrue(isInEU));

在上面的代码中,使用isTrue方法将非Predicate布尔表达式转换为Predicate实例。这是必需的,因为在非二进制版本中,工厂方法仅接受谓词实例作为参数。

源url:https://www.objectdb.com/java/jpa/query/jpql/logical#Criteria_Query_Logical_Operators_

答案 1 :(得分:0)

我试图模仿UNION,但效果很好:

SELECT t
FROM Treatment t 
WHERE t IN (SELECT t FROM Treatment t 
      WHERE t.promotionCode.promotion.id = :promotionId)
  OR t IN (SELECT t FROM Treatment t
      WHERE t.promotionCode2.promotion.id = :promotionId)
ORDER BY t.id desc

在我尝试使用LEFT JOIN FETCH选项之前

SELECT t 
FROM Treatment t 
LEFT JOIN t.promotionCode.promotion as pc
LEFT JOIN t.promotionCode2.promotion as pc2
WHERE 
  (pc.id=:promotionId)  
OR (pc2.id=:promotionId)  
order by t.id desc

SELECT t 
FROM Treatment t 
LEFT JOIN t.promotionCode as pc
LEFT JOIN t.promotionCode2 as pc2
WHERE 
  (pc.promotion.id=:promotionId)  
OR (pc2.promotion.id=:promotionId)  
order by t.id desc

但它们不起作用(我得到了很长的堆栈跟踪,说启动应用程序时查询不正确),