라이브러리는 도서관 아닌가요

DI 5 - @Resources @Autowired 차이 본문

Java/DI

DI 5 - @Resources @Autowired 차이

veryhi 2021. 12. 17. 12:57

 

이전 포스트( https://verycrazy.tistory.com/60 )에서 작성한 내용은 @Autowired 를 기반으로 하고 있다.

 

이번에는 비슷한 역할을 하지만 Java 자체에서 제공하는 @Resource 를 살펴보자.

 

먼저 이전과 같은 xml 파일,

setting.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
	http://www.springframework.org/schema/context
	http://www.springframework.org/schema/context/spring-context-3.1.xsd"
	xmlns:context="http://www.springframework.org/schema/context">
	
	<context:annotation-config />
	
	<!-- Keyboard 타입인 aKeyboard가 해당 경로에 존재하니 참조해라 -->
	<bean id="aKeyboard1" class="myPackage.KoreaKeyboard" />
	<bean id="aKeyboard2" class="myPackage.KoreaKeyboard" />

	<!-- Laptop 타입인 aLaptop이 해당 경로에 존재하니 참조해라 -->
	<bean id="aLaptop" class="myPackage.Laptop">
		<!-- Keyboard aKeyboard = new KoreaKeyboard(); -->
		<!-- aLaptop.setKeyboard(aKeyboard); -->
		<!-- <property name="keyboard" ref="aKeyboard"></property> -->
	</bean>
	
</beans>

 

그 다음으로 변경 전 @Autowired

myPackage/Laptop.java

package myPackage;

import javax.annotation.Resource;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Qualifier;

public class Laptop {
	@Autowired
	@Qualifier("aKeyboard1")
	Keyboard keyboard;
	
	public Keyboard getKeyboard() {
		return keyboard;
	}
	
	public void setKeyboard(Keyboard keyboard) {
		this.keyboard = keyboard;
	}
	
	public String showInputBrand() {
		return "연결된 키보드= " + keyboard.getKeyboardBrand();
	}
}

 

 

그 다음 변경 후 @Resource

myPackage/Laptop.java

package myPackage;

import javax.annotation.Resource;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Qualifier;

public class Laptop {
	@Resource(name="aKeyboard1")
	Keyboard keyboard;
	
	public Keyboard getKeyboard() {
		return keyboard;
	}
	
	public void setKeyboard(Keyboard keyboard) {
		this.keyboard = keyboard;
	}
	
	public String showInputBrand() {
		return "연결된 키보드= " + keyboard.getKeyboardBrand();
	}
}

 

 

이전에 설명했다시피, @Autowired는 결국 타입을 먼저 찾는 녀석인데,

 

만약 같은 클래스 타입의 객체가 다수 존재한다면 @Qualifier의 도움으로 id를 통해 구분 짓는다.

 

반대로 @Resource는 name 속성을 통해 처음부터 id를 인자로 받는다.

 

오히려 처음부터 id를 지정함으로써 더욱 깔끔한 느낌을 준다.

 

실행 결과

똑같다.

Comments