我有一个像这样的实体类:
@Entity
@Table(name = "CUSTOMER")
class Customer{
@Id
@Column(name = "Id")
Long id;
@Column(name = "EMAIL_ID")
String emailId;
@Column(name = "MOBILE")
String mobile;
}
如何使用crudrepository spring data jpa为下面的查询编写findBy方法?
select * from customer where (email, mobile) IN (("a@b.c","8971"), ("e@f.g", "8888"))
我期待着类似的东西
List<Customer> findByEmailMobileIn(List<Tuple> tuples);
我想从给定的对中获取客户列表
解决方法:
我认为这可以使用org.springframework.data.jpa.domain.Specification来完成.您可以传递元组列表并以这种方式继续(不要关心元组不是实体,但您需要定义此类):
public class CustomerSpecification implements Specification<Customer> {
// names of the fields in your Customer entity
private static final String CONST_EMAIL_ID = "emailId";
private static final String CONST_MOBILE = "mobile";
private List<MyTuple> tuples;
public ClaimSpecification(List<MyTuple> tuples) {
this.tuples = tuples;
}
@Override
public Predicate toPredicate(Root<Customer> root, CriteriaQuery<?> query, CriteriaBuilder cb) {
// will be connected with logical OR
List<Predicate> predicates = new ArrayList<>();
tuples.forEach(tuple -> {
List<Predicate> innerPredicates = new ArrayList<>();
if (tuple.getEmail() != null) {
innerPredicates.add(cb.equal(root
.<String>get(CONST_EMAIL_ID), tuple.getEmail()));
}
if (tuple.getMobile() != null) {
innerPredicates.add(cb.equal(root
.<String>get(CONST_MOBILE), tuple.getMobile()));
}
// these predicates match a tuple, hence joined with AND
predicates.add(andTogether(innerPredicates, cb));
});
return orTogether(predicates, cb);
}
private Predicate orTogether(List<Predicate> predicates, CriteriaBuilder cb) {
return cb.or(predicates.toArray(new Predicate[0]));
}
private Predicate andTogether(List<Predicate> predicates, CriteriaBuilder cb) {
return cb.and(predicates.toArray(new Predicate[0]));
}
}
您的repo应该扩展接口JpaSpecificationExecutor< Customer>.
然后构造一个带有元组列表的规范,并将其传递给方法customerRepo.findAll(Specification< Customer>) – 它返回一个客户列表.