使用Spring Data JPA可以使用query by example将特定实体实例用作搜索条件吗?
例如(没有双关语),如果我有Person
实体,如下所示:
@Entity
public class Person {
private String firstName;
private String lastName;
private boolean employed;
private LocalDate dob;
...
}
我可以找到所有在1977年1月1日出生的姓氏史密斯的就业人员,并举例:
Person example = new Person();
example.setEmployed(true);
example.setLastName("Smith");
example.setDob(LocalDate.of(1977, Month.JANUARY, 1));
List<Person> foundPersons = personRepository.findByExample(example);
答案 0 :(得分:62)
现在可以使用Spring Data。查看http://docs.spring.io/spring-data/jpa/docs/current/reference/html/#query-by-example
Person person = new Person();
person.setLastname("Smith");
Example<Person> example = Example.of(person);
List<Person> results = personRepository.findAll(example);
请注意,这需要最新的2016版本
<dependency>
<groupId>org.springframework.data</groupId>
<artifactId>spring-data-jpa</artifactId>
<version>1.10.1.RELEASE</version>
</dependency>
<dependency>
<groupId>org.springframework.data</groupId>
<artifactId>spring-data-commons</artifactId>
<version>1.12.1.RELEASE</version>
</dependency>
请参阅https://github.com/paulvi/com.example.spring.findbyexample
答案 1 :(得分:26)
使用Spring数据的Specification
接口,我能够通过示例近似查询的使用。这是一个实现PersonSpec
的{{1}}类,需要一个&#34;示例&#34;此人为了设置Specification
返回的Predicate
:
Specification
存储库只是:
public class PersonSpec implements Specification<Person> {
private final Person example;
public PersonSpec(Person example) {
this.example = example;
}
@Override
public Predicate toPredicate(Root<Person> root, CriteriaQuery<?> cq, CriteriaBuilder cb) {
List<Predicate> predicates = new ArrayList<>();
if (StringUtils.isNotBlank(example.getLastName())) {
predicates.add(cb.like(cb.lower(root.get(Person_.lastName)), example.getLastName().toLowerCase() + "%"));
}
if (StringUtils.isNotBlank(example.getFirstName())) {
predicates.add(cb.like(cb.lower(root.get(Person_.firstName)), example.getFirstName().toLowerCase() + "%"));
}
if (example.getEmployed() != null) {
predicates.add(cb.equal(root.get(Person_.employed), example.getEmployed()));
}
if (example.getDob() != null) {
predicates.add(cb.equal(root.get(Person_.dob), example.getDob()));
}
return andTogether(predicates, cb);
}
private Predicate andTogether(List<Predicate> predicates, CriteriaBuilder cb) {
return cb.and(predicates.toArray(new Predicate[0]));
}
}
用法示例:
import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.data.jpa.repository.JpaSpecificationExecutor;
public interface PersonRepository extends JpaRepository<Person, Long>, JpaSpecificationExecutor {}
答案 2 :(得分:11)
Spring数据依赖于JPA和EntityManager,而不是Hibernate和Session,因此您没有开箱即用的findByExample。您可以使用spring数据自动查询创建,并使用以下签名在存储库中编写方法:
List<Person> findByEmployedAndLastNameAndDob(boolean employed, String lastName, LocalDate dob);