1. AOP란?
만약 다음과 같이 Bean으로 만들 클래스 내부에 로깅, 트랜잭션, 실제 코드인 비즈니스 로직이 함께 있다고 생각해보자. 로깅, 트랜잭션, 비즈니스 로직 순서대로 작동하겠지만 이는 좋은 코드라고 할 수 없다. 따라서 로깅, 트랜잭션과 비즈니스 로직을 분리하기 위해 AOP가 존재한다
AOP는 다음 그림처럼 선처리, 후처리(런타임시 짜집기함)를 가능하게 지원하기 때문에 메인 Bean을 만드는 클래스를 따로 두고 로깅, 트랜잭션을 선처리 후처리로 다음과 같은 구조를 만드는 것이다.
다음 그림처럼 a.f()가 실직적인 타겟이되는 joinpoint가 되고 그림 앞에 보라색, 주황색이 선처리 후처리를 담당하는 어드바이스가 된다. 어드바이스는 joinpoint는 Pointcut이 가리키게 된다
다음 그림을 보면 조금더 이해하기 쉽다
2. AOP실습
#1) spring-aspect를 이용한 실습
1. pom.xml dependency추가
다음과 같은 디펜던시를 추가하면, Maven Dependencies에 spring-aspects라이브러리가 추가된 것을 확인할 수 있다.
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-aspects</artifactId>
<version>4.2.5.RELEASE</version>
</dependency>
2. Logger 클래스 추가
다음과 같은 Logger클래스를 추가한다.
public class Logger{
public void aboutToSound() {
System.out.println("Before: about to sound");
}
}
3. animal.xml Namespaces 수정 및 aop추가
다음과 같이 Namespaces에 aop를 추가한다
aop추가를 완료하였다면 다음과 같은 코드를 추가한다 <aop:aspect ref="Logger">를 통해 Logger클래스를 Aspect로 이용하겠다는 의미이며, <aop:pointcut expression="execution(void kr.ac.hansung.helloDI.*.sound())" id="selectSound" />를 통해 helloDI패키지의 sound() 함수를 joinpoint로 지정하겠다는 의미이다. 이때 *은 와일드카드로서 어떤 클래스든 상관없다는 의미를 가진다. <aop:before method="aboutToSound" pointcut-ref="selectSound" />는 before어드바이스를 추가하겠다는 의미로 aboutToSound라는 메서드를 이용하며 ref로는 위에 선언한 pointcut의 id를 가진다. 따라서 pointcut은 jointpoint를 가르키고 advice는 그 pointcut을 가리킨다
<aop:config>
<aop:aspect ref="Logger" id="myAspect">
<aop:pointcut
expression="execution(void kr.ac.hansung.helloDI.*.sound())"
id="selectSound" />
<aop:before method="aboutToSound"
pointcut-ref="selectSound" />
</aop:aspect>
</aop:config>
4. 실행
메인 함수를 실행하면 다음과 같은 결과를 확인할 수 있다. 메인 함수에서는 Logger빈을 사용하지 않았지만 다음과 같이 before advice가 실행된 것을 확인할 수 있다.
#2) AOP 에노테이션을 이용한 실습
1. animal.xml수정
다음과 같이 animal.xml을 수정한다 기존 코드를 주석 처리하고 <aop:aspectj-autoproxy>를 추가함으로 에노테이션을 사용하겠다고 명시한다.
<!-- <aop:config>
<aop:aspect ref="Logger" id="myAspect">
<aop:pointcut
expression="execution(void kr.ac.hansung.helloDI.*.sound())"
id="selectSound" />
<aop:before method="aboutToSound"
pointcut-ref="selectSound" />
</aop:aspect>
</aop:config> -->
<aop:aspectj-autoproxy></aop:aspectj-autoproxy>
2. Logger 클래스 수정
다음과 같이 Logger 클래스를 수정한다 @Aspect로 클래스가 Aspect라는 걸 명시하고 @Pointcut을 통해 sound() 메서드를 joinpoint로 지정하겠다는 것을 명시하고 @Before로 이전 어드바이스를 추가한다.
@Aspect
public class Logger{
@Pointcut("execution(void kr.ac.hansung.helloDI.*.sound()")
private void selectSound() {}
@Before("selectSound()")
public void aboutToSound() {
System.out.println("Before: about to sound");
}
}
3. 실행
모두 완료하였다면 다음과 같은 실행화면을 볼 수 있다
'프로그래밍 > Spring' 카테고리의 다른 글
[스프링 강의] #9 스프링 & MYSQL 연동2 / SQL 배우기 (0) | 2020.01.18 |
---|---|
[스프링 강의] #8 스프링 & MYSQL 연동 / JDBC, DBCP란? (0) | 2020.01.14 |
[스프링 강의] #6 의존성 주입, DI(Dependency Injection) 2번째 Annotation활용하기 (0) | 2019.12.22 |
[스프링 강의] #5 의존성 주입, DI(Dependency Injection)란? (2) | 2019.12.16 |
[스프링 강의] #4 JSP를 활용한 MVC 아키텍처 구축 (0) | 2019.12.14 |