본문 바로가기

Development/Spring Boot

[Spring Boot] 다양한 설정 형식 지원 - 자바 코드, XML

1- 설정 형식 지원

  • 스프링은 다양한 형식의 설정 정보를 받을 수 있게 유연하게 설계되어 있음
    ex. 자바 코드, XML, Groovy 등
  • AnnotationConfigApplicationContext - AppConfig.class
    GenericXmlApplicationContext           - appConfig.xml
    XxxApplicationContext - 임의로 구현 가능함
  • 자바 기반의 AnnotationConfigApplicationContext를 많이 사용함

2- 애노테이션 기반 자바 코드 설정

  • 지금까지 실습했던 것
  • new AnnotationConfigApplicationContext( AppConfig.class )
    AnnotationConfigApplicationContext 클래스를 사용하며 자바 코드로된 설정 정보를 넘기면 됨

3- XML 설정

  • 최근 스프링 부트를 많이 사용하며 XML 기반의 설정을 사용하지 않음 ( 아직 많은 레거시 프로젝트들이 XML로 되어 있음 )
  • XML을 사용하면 컴파일 없이 빈(Bean) 설정 정보를 변경할 수 있음
  • GenericXmlApplicationContext를 사용하며 XML 설정 파일을 넘기면 됨
  • XML 설정 코드 예시
<?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">
        <!-- memberService 생성자는 MemberRepository를 parameter로 받음 -->
        <constructor-arg name="memberRepository" ref="memberRepository"></constructor-arg>
    </bean>

    <bean id="memberRepository" class="hello.core.member.MemoryMemberRepository"></bean>
    <bean id="discountPolicy" class="hello.core.discount.RateDiscountPolicy"></bean>
    <bean id="orderService" class="hello.core.order.OrderServiceImpl">
        <constructor-arg name="memberRepository" ref="memberRepository"></constructor-arg>
        <constructor-arg name="discountPolicy" ref="discountPolicy"></constructor-arg>
    </bean>

</beans>
package hello.core;

import hello.core.discount.DiscountPolicy;
import hello.core.discount.FixDiscountPolicy;
import hello.core.discount.RateDiscountPolicy;
import hello.core.member.MemberService;
import hello.core.member.MemberServiceImpl;
import hello.core.member.MemoryMemberRepository;
import hello.core.order.OrderService;
import hello.core.order.OrderServiceImpl;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;

@Configuration  // org.springframework.context.annotation.Configuration;
public class AppConfig {

    @Bean
    public MemberService memberService() {
        return new MemberServiceImpl(memberRepository());
    }

	@Bean //(name = "nameTest")
    public MemoryMemberRepository memberRepository() {
        return new MemoryMemberRepository();
    }

    @Bean
    public OrderService orderService() {
        return new OrderServiceImpl(memberRepository(),discountPolicy());
    }

    @Bean
    public DiscountPolicy discountPolicy() {
        return new RateDiscountPolicy();
    }

}
  • XML 기반의 appConfig.xml 스프링 설정 정보와 자바 코드로 된 AppConfig.java 설정 정보를 비교해보면 거의 비슷함
  • XML 기반 설정은 잘 사용하지 않음

  • 이로 스프링이 다양한 형식에 따라 유연하게 프로젝트 구성이 가능하다는 것을 알 수 있음