JPARepository 如果参数为空就不添加条件
时间: 2024-01-04 11:02:57 浏览: 63
如果您使用的是 Spring Data JPA 中的 JpaRepository 接口,可以使用 Specification 对象来动态构建查询条件。在 Specification 对象中,可以通过传入参数判断是否需要添加查询条件。
例如,假设需要查询所有年龄大于等于 18 岁的用户,但是如果传入的年龄参数为 null,则不添加年龄条件,可以这样编写 Specification 对象:
```
public class UserSpecification implements Specification<User> {
private Integer age;
public UserSpecification(Integer age) {
this.age = age;
}
@Override
public Predicate toPredicate(Root<User> root, CriteriaQuery<?> query, CriteriaBuilder builder) {
List<Predicate> predicates = new ArrayList<>();
if (age != null) {
predicates.add(builder.greaterThanOrEqualTo(root.get("age"), age));
}
return builder.and(predicates.toArray(new Predicate[0]));
}
}
```
在上面的例子中,UserSpecification 对象的构造函数中传入了年龄参数,如果年龄参数为 null,则不会添加年龄条件。toPredicate 方法中,判断年龄参数是否为 null,如果不为 null,则添加大于等于年龄的条件,最后将所有条件用 and 连接起来返回。
使用时,可以这样调用:
```
userRepository.findAll(new UserSpecification(age));
```
其中,age 参数可以为 null,如果为 null,则不添加年龄条件。
阅读全文