제어의 역전 IoC(Inversion of Control)
Configuration
이 등장한 후에 구현 객체는 자신의 로직을 실행하는 역할만 담당한다.Configuration
이 가져간다.Impl
의 맴버필드중 interface
타입은 어떤 구현체가 주입될지 모른다. 그런 사실을 모른체 Impl
는 자기 자신의 로직만 수행한다.참고!
프레임워크 vs 라이브러리
의존관계 주입 DI (Dependency Injection)
Impl
는 interface
에 의존한다. 실제 어떤 구현 객체가 사용될진 모른다. 예제, 간략화 된 코드 이므로 실제 작동 되는 코드가 아님.
public class AccountService {
private AccountRepository;
public AccountService(AccountRepository accountRepository) {
this.accountRepository = accountRepository;
}
public Account join(AccountRequestDto dto) {
Account newAccount = new Account(dto);
// ... 엄청 핵심 비지니스 코드
return accountRepository.create(newAccount);
}
}
public interface AccountRepository {
Account create(Account newAccount);
}
public class MemoryAccountRepository implements AccountRepository {
@Override
public Account create(Account newAccount) {
// ... 엄청 핵심 비지니스 코드
}
}
public class DBAccountRepository implements AccountRepository {
@Override
public Account create(Account newAccount) {
// ... 엄청 핵심 비지니스 코드
}
}
public class AppConfig {
// 런타임 시점에 구현체를 결정해주는 코드
public AccountRepository accountRepository() {
return new MemoryAccountRepository();
return new DBAccountRepository();
}
public AccountService accountService() {
return new AccountService(accountRepository());
}
}
public class Main {
public static void main(String[] args) {
AppConfig config = new AppConfig();
AccountService service = config.accountService();
AccountRequestDto dto = new AccountRequestDto();
Account joinedAccount = service.join(dto);
System.out.println(joinedAccount.getName + " 회원가입 완료");
}
}
정적인 의존관계는 클래스가 사용하는 import
코드만 보고 의존관계를 쉽게 판단할 수 있다. 정적인 의존관계는 애플리케이션을 실행하지 않아도 분석할 수 있다.
가령 어떠한 Impl
(구현체)에서 어떠한 interface
의 구현체를 주입 받는다 할때, 실제 어떤 인스턴스가 interface
에 주입될지 알 수 없다.
애플리케이션 실행 시점에 실제 생성된 객체 인스턴스의 참조가 연결된 의존 관계다.
AppConfig
코드만 변경하면 된다)ApplicationContext
를 스프링 컨테이너라 한다.AppConfig
를 설정(구성) 정보로 사용한다. 여기서 @Bean
이라 적힌 메서드를 모두 호출해서 반환된 객체를 스프링 컨테이너에 등록한다. 이렇게 스프링 컨테이너에 등록된 객체를 스프링 빈이라 한다.@Bean
이 붙은 메서드의 명을 스프링 빈의 이름으로 사용한다. (memberService
, orderService
)AppConfig
를 사용해서 직접 조회했지만, 이제부터는 스프링 컨테이너를 통해서 필요한 스프링 빈(객체)를 찾아야 한다. 스프링 빈은 applicationContext.getBean()
메서드를 사용해서 찾을 수 있다.ApplicationContext applicationContext = new AnnotationConfigApplicationContext(AppConfig.class);
applicationContext.getBean("<Method Name>", <Return Type>.class);
ApplicationContext
를 스프링 컨테이너라 한다.ApplicationContext
는 인터페이스 이다.ApplicationContext
)를 만들어보자.new AnnotationsConfigApplicationContext(AppConfig.class);
ApplicationContext
인터페이스의 구현체이다.참고: 더 정확히는 스프링 컨테이너를 부를 때 BeanFactory
, ApplicationContext
로 구분해서 이야기 한다. BeanFactory
를 직접 사용하는 경우는 거의 없으므로 일반적으로 ApplicationContext
를 스프링 컨테이너라 한다.
new AnnotationsConfigApplicationContext(AppConfig.class);
스프링 컨테이너는 파라미터로 넘어온 설정 클래스 정보를 사용해서 스프링 빈을 등록한다.
@Bean
public AccountService accountService() {}
accountService
가 된다.주의: 빈 이름은 항상 다른 이름을 부여. 같은 이름을 부여하면 다른 빈이 무시되거나 기존 빈을 덮어버리거나 오류가 발생.
참고
스프링 빈을 생성하고, 의존관계를 주입하는 단계가 나누어져 있다. 근데 이렇게 자바 코드로 스프링 빈을 등록하면 생성자를 호출하면서, 의존관계 주입도 한번에 처리된다.
스프링 컨테이너를 생성하고, 설정(구성) 정보를 참고해서 스프링 빈을 등록했고 의존관계도 설정함.
스프링은 BeanDefinition
을 이용하여 다양한 형태의 설정 정보 (어노테이션 기반 자바소스코드 or xml 등 ) 를 BeanDefinition
으로 추상화해서 사용한다.
ac.getBean(변수명, 클래스.class);
ac.getBean(클래스.class);
: 타입이 중복될 가능성이 있음.NoUniqueBeanDefinitionException
)ac.getBeansOfType()
을 사용하면 해당 타입의 모든 빈을 조회할 수 있다.BeanFactory
getBean()
을 제공한다.ApplicationContext
BeanFactory
의 기능을 상속해서 제공한다.ApplicationContext
는 BeanFactory
의 역할을 상속받는다.ApplicationContext
는 빈 관리기능 + 편리한 부가기능을 제공한다.BeanFactory
를 직접 사용할 일은 거의 없다. 부가기능이 포함된 ApplicationContext
를 사용한다.BeanFactory
나 ApplicationContext
를 스프링 컨테이너라 한다.간단 참조 - XML context 등록 - Annotation으로 빈을 등록하는 것이 아니라 XML이라는 Markup Language로 등록하는 방법이 있다.
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://www.springframework.org/schema/beans http://
www.springframework.org/schema/beans/spring-beans.xsd">
<bean id="memberService" class="hello.core.member.MemberServiceImpl">
<constructor-arg name="memberRepository" ref="memberRepository" />
</bean>
<bean id="memberRepository"
class="hello.core.member.MemoryMemberRepository" />
<bean id="orderService" class="hello.core.order.OrderServiceImpl">
<constructor-arg name="memberRepository" ref="memberRepository" />
<constructor-arg name="discountPolicy" ref="discountPolicy" />
</bean>
<bean id="discountPolicy" class="hello.core.discount.RateDiscountPolicy" />
</beans>
BeanDefinition
이라는 추상화가 있다.BeanDefinition
을 만들면 된다.BeanDefinition
을 만들면 된다.BeanDefinition
만 알면 된다.BeanDefinition
을 빈 설정 메타정보라 한다.@Bean
당 각각 하나씩 메타 정보가 생성된다.package hello.core.beandefinition;
import hello.core.AppConfig;
import org.junit.jupiter.api.DisplayName;
import org.junit.jupiter.api.Test;
import org.springframework.beans.MutablePropertyValues;
import org.springframework.beans.factory.config.BeanDefinition;
import org.springframework.beans.factory.config.ConstructorArgumentValues;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;
import org.springframework.context.support.GenericXmlApplicationContext;
public class BeanDefinitionTest {
AnnotationConfigApplicationContext ac = new AnnotationConfigApplicationContext(AppConfig.class);
// GenericXmlApplicationContext ac = new GenericXmlApplicationContext("appConfig.xml");
@Test
@DisplayName("빈 설정 메타정보 확인")
void findApplicationBean() {
String[] beanDefinitionNames = ac.getBeanDefinitionNames();
for (String beanDefinitionName : beanDefinitionNames) {
BeanDefinition beanDefinition = ac.getBeanDefinition(beanDefinitionName);
if (beanDefinition.getRole() == BeanDefinition.ROLE_APPLICATION) {
System.out.println("beanDefinitionName" + beanDefinitionName + " beanDefinition = " + beanDefinition);
}
}
}
}
BeanDefinition
을 직접 생성해서 스프링 컨테이너에 등록할 수도 있다. 하지만 실무에서 BeanDefinition
을 직접 정의하거나 사용할 일은 거의 없다.BeanDefinition
에 대해서는 너무 깊이있게 이해하기 보다는, 스프링이 다양한 형태의 설정 정보를 BeanDefinition
으로 추상화해서 사용하는 것 정도만 이해하면 된다.BeanDefinition
이라는 것이 보일 때가 있다. 이때 이러한 메커니즘을 떠올리면 된다.싱글톤 패턴을 적용하면 고객의 요청이 올 때 마다 객체를 생성하는 것이 아니라, 이미 만들어진 객체를 공유 해서 효율적으로 사용할 수 있다. 하지만 싱글톤 패턴은 다음과 같은 수 많은 문제점들을 가지고 있다.
ThreadLocal
등을 사용해야한다.Bean
을 자바 코드(Configuration
) 에서 등록할 때, new
로 다른 여러 군데 Bean
에서 의존성을 연결시켜도 싱글턴을 보장해준다@Configuration
annotation이 붙은 클래스를 출력해보면 (AnnotationConfigApplicationContext 를 통해서)@Bean
public MemberRepository memberRepository() {
if (memoryMemberRepository가 이미 스프링 컨테이너에 등록되어 있으면?) {
return 스프링 컨테이너에서 찾아서 반환;
} else { //스프링 컨테이너에 없으면
기존 로직을 호출해서 MemoryMemberRepository를 생성하고 스프링 컨테이너에 등록
return 반환
}
}
@Bean
이 붙은 메서드마다 이미 스프링 빈이 존재하면 존재하는 빈을 반환하고, 스프링 빈이 없으면 생성해서 스프링 빈으로 등록하고 반환하는 코드가 동적으로 만들어진다.덕분에 싱글톤이 보장되는 것!@Configuration
어노테이션에서 Bean 등록을 한다면, CGLIB 기술을 사용해서, 싱글톤을 보장한다!@Configration
이 붙어있지 않다면, @Bean
만으로도 스프링 빈으로 등록되지만, 싱글톤을 보장하지 않는다.