그래서, spring-data
복잡한 쿼리에 도움이 몇 가지 추가 마법을 수행합니다. 처음에는 이상하고 문서에서 완전히 건너 뛰지 만 실제로 강력하고 유용합니다.
사용자 정의 작성이 포함됩니다. Repository
과 커스텀`RepositoryImpl '을 생성하고 Spring에게 그것을 어디로 찾아야하는지 알려준다. 예를 들면 다음과 같습니다.
구성 클래스- 리포지토리 패키지를 가리키는 주석이있는 여전히 필요한 xml 구성 을 가리 킵니다 ( *Impl
지금 자동으로 클래스를 찾습니다 ).
@Configuration
@EnableJpaRepositories(basePackages = {"com.examples.repositories"})
@EnableTransactionManagement
public class MyConfiguration {
}
jpa-repositories.xml-리포지토리 Spring
를 찾을 위치를 알려줍니다 . 또한 파일 이름 Spring
이있는 사용자 정의 저장소를 찾 도록 지시 CustomImpl
하십시오.
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans" xmlns:jpa="http://www.springframework.org/schema/data/jpa"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:util="http://www.springframework.org/schema/util"
xsi:schemaLocation="http://www.springframework.org/schema/data/mongo http://www.springframework.org/schema/data/jpa/spring-jpa.xsd
http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd
http://www.springframework.org/schema/util http://www.springframework.org/schema/util/spring-util.xsd">
<jpa:repositories base-package="com.example.repositories" repository-impl-postfix="CustomImpl" />
</beans>
MyObjectRepository
-주석을 달고 주석이없는 쿼리 메소드를 넣을 수있는 곳입니다. 이 저장소 인터페이스가 다음을 어떻게 확장하는지 참고하십시오 Custom
.
@Transactional
public interface MyObjectRepository extends JpaRepository<MyObject, Integer>, MyObjectRepositoryCustom {
List<MyObject> findByName(String name);
@Query("select * from my_object where name = ?0 or middle_name = ?0")
List<MyObject> findByFirstNameOrMiddleName(String name);
}
MyObjectRepositoryCustom
-더 복잡하고 간단한 쿼리 나 주석으로 처리 할 수없는 저장소 메소드 :
public interface MyObjectRepositoryCustom {
List<MyObject> findByNameWithWeirdOrdering(String name);
}
MyObjectRepositoryCustomImpl
-실제로 자동 유선으로 해당 메소드를 구현하는 위치 EntityManager
:
public class MyObjectRepositoryCustomImpl implements MyObjectRepositoryCustom {
@Autowired
private EntityManager entityManager;
public final List<MyObject> findByNameWithWeirdOrdering(String name) {
Query query = query(where("name").is(name));
query.sort().on("whatever", Order.ASC);
return entityManager.find(query, MyObject.class);
}
}
놀랍게도, 이것은 모두 함께 제공되며 두 인터페이스 (및 구현 한 CRUD 인터페이스)의 메소드는 모두 다음과 같이 표시됩니다.
myObjectRepository.
당신은 볼 것이다 :
myObjectRepository.save()
myObjectRepository.findAll()
myObjectRepository.findByName()
myObjectRepository.findByFirstNameOrMiddleName()
myObjectRepository.findByNameWithWeirdOrdering()
실제로 작동합니다. 그리고 쿼리를위한 하나의 인터페이스를 얻습니다.spring-data
실제로 큰 응용 프로그램을 사용할 준비가되었습니다. 그리고 더 많은 쿼리를 단순 또는 주석으로 푸시 할 수있는 것이 좋습니다.
이 모든 것은 Spring Data Jpa 사이트에 문서화되어 있습니다. .
행운을 빕니다.