옵션 처리

주입할 스프링 빈이 없어도 동작해야 할 때가 있습니다.

그런데 @Autowired 만 사용하면 required 옵션의 기본값이 true 로 되어 있어서 자동 주입 대상이 없으면 오류가 발생합니다.

자동 주입 대상을 옵션으로 처리하는 방법은 다음과 같습니다.

예제

autowired 패키지를 만듭니다.

Untitled

AutowiredTest를 만듭니다.

Untitled

package hello.core.autowired;

import hello.core.member.Member;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.ApplicationContext;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;
import org.springframework.lang.Nullable;

import java.util.Optional;

public class AutowiredTest {

    @Test
    void AutowiredOption() {
				//...1
        ApplicationContext ac = new AnnotationConfigApplicationContext(TestBean.class);
    }

    static class TestBean {
				//...2
        @Autowired(required = false)
        public void setNoBean1(Member noBean1) {
            System.out.println("noBean1 = " + noBean1);
        }
	
				//...3
        @Autowired
        public void setNoBean2(@Nullable Member noBean2) {
            System.out.println("noBean2 = " + noBean2);
        }
        
				//...4
        @Autowired
        public void setNoBean3(Optional<Member> noBean3) {
            System.out.println("noBean3 = " + noBean3);
        }
    }

}
  1. 컴포넌트 스캔 하는 것 처럼 TestBean이 스프링 빈에 등록이 됩니다.

  2. @Autowired(required=false)

    required 자세히

  3. @Nullable

  4. Optional<>

정리

<aside> ❗ @Nullable, Optional은 스프링 전반에 걸쳐서 지원됩니다.

예를 들어서 생성자 자동 주입에서 특정 필드에만 사용해도 됩니다.

파라미터 3개가 있는데 마지막 파라미터는 스프링 빈이 없어도 생성자 호출하고 싶을 때 @Nullable을 넣어서 처리할 수 있습니다.

</aside>