컴포넌트 스캔과 자동 의존관계 설정
회원 컨트롤러가 회원서비스와 회원 리포지토리를 사용할 수 있게 의존관계 준비
회원 컨트롤러에 의존관계 추가
package hello.hellospring.controller;
import hello.hellospring.service.MemberService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
@Controller
public class MemberController {
private final MemberService memberService;
@Autowired
public MemberController(MemberService memberService) {
this.memberService = memberService;
}
}
- 생성자에 @AutoWired가 있으면 스프링이 연관된 객체를 스프링 컨테이너에서 찾아서 넣어줌. 객체 의존관계를 외부에서 넣어주는 것을 DI (Dependency Injection), 의존성 주입이라 함
실행하면 오류 발생
Consider defining a bean of type 'hello.hellospring.service.MemberService' in your configuration.
원인 : memberService가 스프링 빈으로 등록되어 있지 않음
스프링 빈을 등록하는 2가지 방법
- 컴포넌트 스캔과 자동 의존관계 설정
- 자바 코드로 직접 스프링 빈 등록하기
컴포넌트 스캔 원리
- @Component 애노테이션이 있으면 스프링 빈으로 자동 등록됨
- @Controller 컨트롤러가 있으면 스프링 빈으로 자동 등록된 이유도 컴포넌트 스캔때문
- @Component를 포함하는 다음 애노테이션도 스프링 빈으로 자동 등록됨
- @Controller
- @Service
- @Repository
MemberService에 가보면 순수 자바 코드 → 스프링이 알 수 있는 방법이 없음
@Service를 넣어줌
MemoryMemberRepository가서 @Repository 넣어줌
MemberService에 @AutoWired 넣어주면 생성자를 호출할 때 스프링이 MemoryMemberRepository가 필요하구나 하고 스프링 컨테이너에 있는 MemoryMemberRepository를 서비스에 주입해줌
memberService와 memberRepository가 스프링 컨테이너에 스프링 빈으로 등록되었음
스프링은 스프링 컨테이너에 스프링 빈을 등록할 때, 기본적으로 싱글톤으로 등록(유일하게 하나만 등록)
같은 스프링 빈이면 모두 같은 인스턴스 / (설정으로 싱글톤이 아니게 설정할 수 있음)
자바 코드로 직접 스프링 빈 등록하기
- 회원 서비스와 회원 리포지토리의 @Service, @Repository, @Autowired 애논테이션을 제거하고 진행
제거한 채로 실행해보면 스프링 빈에 등록이 안 되어 있기때문에 오류남
SpringConfig 클래스 작성
src/main/java에 작성
package hello.hellospring;
import hello.hellospring.repository.MemberRepository;
import hello.hellospring.repository.MemoryMemberRepository;
import hello.hellospring.service.MemberService;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
@Configuration //@Configuration annotation 달아줌
public class SpringConfig {
//@Bean annotation 달아줌, @Bean 달린 method들이 반환하는 객체가 스프링 빈으로 등록됨
@Bean
public MemberService memberService(){
return new MemberService(memberRepository());
}
@Bean
public MemberRepository memberRepository(){
return new MemoryMemberRepository();
}
}
실무에서는 주로 정형화된 컨트롤러, 서비스, 리포지토리 같은 코드는 컴포넌트 스캔을 사용
정형화 되지 않거나, 상황에 따라 구현 클래스를 변경해야 하면 설정을 통해 스프링 빈으로 등록
XML로 설정하는 방식도 있지만 최근에는 잘 사용X
DI에는 필드 주입, setter 주입, 생성자 주입 → 3가지 방법이 있음
의존관계가 실행중에 동적으로 변하는 경우는 거의 없으므로 생성자 주입 권장
@Autowired를 통한 DI는 helloController, memberService 등과 같이 스프링이 관리하는 객체에서만 동작
스프링 빈으로 등록하지 않고 직접 생성한 객체에서는 동작X
'백엔드 > 스프링 입문 - 코드로 배우는 스프링 부트, 웹 MVC, DB 접근 기술' 카테고리의 다른 글
섹션7. 스프링 DB 접근 기술 (0) | 2024.11.23 |
---|---|
섹션6. 회원 관리 예제 - 웹 MVC 개발 (0) | 2024.11.16 |
섹션4. 회원 관리 예제 - 백엔드 개발 (0) | 2024.11.16 |
섹션3. 스프링 웹 개발 기초 (0) | 2024.11.09 |
섹션2. 프로젝트 환경설정 (0) | 2024.11.09 |