Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | 5 | 6 | 7 |
8 | 9 | 10 | 11 | 12 | 13 | 14 |
15 | 16 | 17 | 18 | 19 | 20 | 21 |
22 | 23 | 24 | 25 | 26 | 27 | 28 |
29 | 30 | 31 |
Tags
- kafka
- K8s
- topic생성
- Streams
- spring kafka
- QueryDSL
- mysql
- consumer
- API
- Entity
- bean
- offsetdatetime
- Kotlin
- AWS
- mirror maker2
- JPA
- CodePipeline
- ECS
- Kubernetes
- CI
- entity graph
- Spring Data JPA
- cd
- Spring JPA
- PAGING
- spring
- centos7
- git
- transactionaleventlistener
- producer
Archives
- Today
- Total
Yebali
Spring Data JPA의 사용자 정의 Repository 본문
List<Member> result = memberRepository.findMemberCustom();
Spring Data JPA에서 Repository는 인터페이스만 정의하고 구현체는 스프링이 자동으로 생성한다.
만약 Spring Data JPA가 제공하는 인터페이스를 직접 구현하려고 한다면 구현해야 하는 기능들이 너무 많아 오히려 비효율적이다.
그렇다면 다양한 이유로 인터페이스의 메서드를 직접 구현하기 위한 대표적인 방법들은 아래와 같다.
- JPA로 직접 구현 (EntityManager)
- Spring JDBC Template 사용.
- Mybatis 사용.
- 데이터베이스 커넥션 직접 사용
- QueryDSL 사용.
그중 JPA로 직접 구현하는 방법은 아래와 같다.
JPA로 직접 구현
사용자 정의 인터페이스
public interface MemberRepositoryCustom {
List<Member> findMemberCustom();
}
사용자 정의 인터페이스 구현 클래스
@RequiredArgsConstructor
// MemberRepository(리포지토리 인터페이스 이름) + Impl
public class MemberRepositoryImpl implements MemberRepositoryCustom {
private final EntityManager em;
@Override
public List<Member> findMemberCustom() {
return em.createQuery("select m from Member m")
.getResultList();
}
}
사용자 정의 인터페이스를 상속
public interface MemberRepository
extends JpaRepository<Member, Long>, MemberRepositoryCustom {
}
사용자 정의 메서드 사용
List<Member> result = memberRepository.findMemberCustom();
참고
사용자 정의 구현 클래스의 이름은 "레포지토리 인터페이스 이름 + Impl"로 해야하는 규칙이 있다.
그래야 Spring Data JPA가 인식해서 Spring Bean으로 등록하여 관리해준다.
만약 Impl대신 다른 이름으로 변경하고 싶다면 아래 2가지 방법 중 하나를 사용하면 된다.
- XML 설정
<repositories base-package="study.datajpa.repository" repository-impl-postfix="Impl" />
- Java Config 설정
@EnableJpaRepositories(basePackages = "study.datajpa.repository", repositoryImplementationPostfix = "Impl")
Spring Data 2.x부터는 구현 클래스에 "리포지토리 인터페이스 이름 + Impl" 대신
"사용자 정의 인터페이스 명 + Impl" 방식도 지원한다.
즉, "MemberRepositoryImpl" 대신에 "MemberRepositoryCustomImpl" 같이 구현해도 된다.
@RequiredArgsConstructor
// MemberRepositoryCustom(사용자 정의 인터페이스 명) + Impl
public class MemberRepositoryCustomImpl implements MemberRepositoryCustom {
private final EntityManager em;
@Override
public List<Member> findMemberCustom() {
return em.createQuery("select m from Member m")
.getResultList();
}
}
'Spring' 카테고리의 다른 글
Spring Data JPA의 도메인 클래스 컨버터 (0) | 2021.10.11 |
---|---|
Spring Data JPA의 Auditing 기능 (0) | 2021.10.11 |
Spring Data JPA의 벌크성 수정 쿼리 (0) | 2021.10.11 |
Spring Data JPA의 반환 타입 (0) | 2021.10.11 |
Spring Data JPA의 @Query 애너에티션 (0) | 2021.10.11 |