주입할 스프링 빈이 없어도 동작해야 할 때가 있습니다.
그런데 @Autowired 만 사용하면 required 옵션의 기본값이 true 로 되어 있어서 자동 주입 대상이 없으면 오류가 발생합니다.
자동 주입 대상을 옵션으로 처리하는 방법은 다음과 같습니다.
@Autowired(required=false) : 자동 주입할 대상이 없으면 수정자 메서드 자체가 호출 안됨
org.springframework.lang.@Nullable : 자동 주입할 대상이 없으면 null이 입력됩니다.
Optional<> : 자동 주입할 대상이 없으면 Optional.empty 가 입력됩니다.
autowired 패키지를 만듭니다.
AutowiredTest를 만듭니다.
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);
}
}
}
컴포넌트 스캔 하는 것 처럼 TestBean이 스프링 빈에 등록이 됩니다.
@Autowired(required=false)
Member는 스프링 빈 관련 빈이 아닙니다.
즉, 아무거나 집어넣어서 스프링 컨테이너에 관리 되는게 없다는 것을 의도한 것 입니다.
실제로 @Autowired(required=true)로 실행하면 예외가 터집니다.
required=true가 기본값이므로 @Autowired와 @Autowired(required=true)는 동일합니다.
Member가 스프링으로 등록되는게 아니기 때문입니다.
org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'autowiredTest.TestBean': Unsatisfied dependency expressed through method 'setNoBean1' parameter 0; nested exception is org.springframework.beans.factory.NoSuchBeanDefinitionException: No qualifying bean of type 'hello.core.member.Member' available: expected at least 1 bean which qualifies as autowire candidate. Dependency annotations: {}
@Autowired(required=false)로 실행하면 아예 메서드 호출이 안됩니다.
@Nullable
@Nullable을 넣으면 호출은 되지만 대신에 null로 들어옵니다.
Optional<>
<aside> ❗ @Nullable, Optional은 스프링 전반에 걸쳐서 지원됩니다.
예를 들어서 생성자 자동 주입에서 특정 필드에만 사용해도 됩니다.
파라미터 3개가 있는데 마지막 파라미터는 스프링 빈이 없어도 생성자 호출하고 싶을 때 @Nullable을 넣어서 처리할 수 있습니다.
</aside>