애스펙트J는 포인트컷을 편리하게 표현하기 위한 특별한 표현식을 제공한다.
예)@Pointcut("execution(* hello.aop.order..*(..))")
포인트컷 표현식은 AspectJ pointcut expression 즉, 애스펙트J가 제공하는 포인트컷 표현식을 줄여서 말하는것이다.
포인트컷 지시자
포인트컷 표현식은 execution
같은 포인트컷 지시자로 시작한다.
execution
: 메소드 실행 조인 포인트를 매칭한다. 스프링 AOP에서 가장 많이 사용하고 기능도 복잡하다.within
: 특정 타입내의 조인 포인트를 매칭한다. execution
에서 타입 매칭만 가져온 지시자라고 할 수 있다.args
: 인자가 주어진 타입의 인스턴스인 조인 포인트를 매칭한다. excution
에서 인자 매칭만 가져온 지시자라고 할 수 있다.this
: 스프링 빈 객체(스프링 AOP 프록시)를 대상으로 하는 조인 포인트를 매칭한다.target
: Target 객체(스프링 AOP 프록시가 실제로 가리키는 대상)을 대상으로 하는 조인 포인트를 매칭한다.@target
: 실행 객체의 클래스에 주어진 타입의 애노테이션이 있는 조인 포인트를 매칭한다.@within
: 주어진 애노테이션이 있는 타입 내의 조인 포인트@annotation
: 메서드가 주어진 애노테이션을 가지고 있는 조인 포인트를 매칭@args
: 전달된 실제 인수의 런타임 타입이 주어진 타입의 애노테이션을 갖는 조인 포인트bean
: 스프링 전용 포인트컷 지시자, 빈의 이름으로 포인트컷을 지정아래의 코드는 포인트컷 표현식을 이해하기 위한 예제 코드이다.
// ClassAop
package hello.aop.member.annotation;
import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
public @interface ClassAop {
}
// MethodAop
package hello.aop.member.annotation;
import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface MethodAop {
String value();
}
// MemberService
package hello.aop.member;
public interface MemberService {
String hello(String param);
}
// MemberServiceImpl
package hello.aop.member;
import hello.aop.member.annotation.ClassAop;
import hello.aop.member.annotation.MethodAop;
import org.springframework.stereotype.Component;
@ClassAop
@Component
public class MemberServiceImpl implements MemberService {
@Override
@MethodAop("test value")
public String hello(String param) {
return "ok";
}
public String internal(String param) {
return "ok";
}
}
// 테스트 코드
@Slf4j
public class ExecutionTest {
AspectJExpressionPointcut pointcut = new AspectJExpressionPointcut();
Method helloMethod;
@BeforeEach
public void init() throws NoSuchMethodException {
helloMethod = MemberServiceImpl.class.getMethod("hello", String.class);
}
@Test
void printMethod() {
//public java.lang.String hello.aop.member.MemberServiceImpl.hello(java.lang.String)
log.info("helloMethod={}", helloMethod);
}
}
AspectJExpressionPointcut
이 바로 포인트컷 표현식을 처리해주는 클래스다. 여기에 포인트컷 표현식을 지정하면 된다. AspectJExpressionPointcut
는 상위에 Pointcut
인터페이스를 가진다.
execution 문법은 아래와 같다.
execution(modifiers-pattern? ret-type-pattern declaring type-pattern?name pattern(param-pattern) throws-pattern?)
execution(접근제어자? 반환타입 선언타입?메서드이름(파라미터) 예외?)
- 메서드 실행 조인 포인트를 매칭한다.
- ?는 생략할 수 있다.
*
같은 패턴을 지정할 수 있다.
MemberServiceImpl.hello(String)
메서드와 가장 정확하게 모든 내용이 매칭되는 표현식이다.
void exactMatch() {
//public java.lang.String hello.aop.member.MemberServiceImpl.hello(java.lang.String)
pointcut.setExpression("execution(public String hello.aop.member.MemberServiceImpl.hello(String))");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
AspectJExpressionPointcut
에 pointcut.setExpression
을 통해서 포인트컷 표현식을 적용할 수 있따.pointcut.matches(메서드, 대상 클래스)
를 실행하면 지정한 포인트컷 표현식의 매칭 여부를 true, false로 반환한다.매칭 조건
public
String
hello.aop.member.MEmberServiceImpl
hello
(String)
@Test
void allMatch() {
pointcut.setExpression("execution(* *(..))");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
매칭 조건
*
*
(..)
*
값은 아무 값이나 들어와도 된다는 뜻이다...
는 파라미터의 타입과 파라미터의 수가 상관없다는 뜻이다..
,..
의 차이를 이해해야한다..
: 정확하게 해당 위치의 패키지..
: 해당 위치의 패키지와 그 하위 패키지도 포함@Test
void typeExactMatch() {
pointcut.setExpression("execution(* hello.aop.member.MemberServiceImpl.*(..))");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
@Test
void typeMatchSuperType() {
pointcut.setExpression("execution(* hello.aop.member.MemberService.*(..))");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
typeExactMatch()
는 타입 정보가 정확하게 일치하기 때문에 매칭된다.
typeMatchSuperType()
을 주의해서 보자.
execution
에서는 MemberService
처럼 부모 타입을 선언해도 그 자식 타입은 매칭된다.
@Test
void typeMatchInternal() throws NoSuchMethodException {
pointcut.setExpression("execution(* hello.aop.member.MemberServiceImpl.*(..))");
Method internalMethod = MemberServiceImpl.class.getMethod("internal", String.class);
assertThat(pointcut.matches(internalMethod, MemberServiceImpl.class)).isTrue();
}
@Test
void typeMatchNoSuperTypeMethodFalse() throws NoSuchMethodException {
pointcut.setExpression("execution(* hello.aop.member.MemberService.*(..))");
Method internalMethod = MemberServiceImpl.class.getMethod("internal", String.class);
assertThat(pointcut.matches(internalMethod, MemberServiceImpl.class)).isFalse();
}
typeMatchInternal()
의 경우 MemberServiceImpl
를 표현식에 선언했기 떄문에 그안에 있는 internal(String)
메서드도 매칭 대상이 된다.
typeMatchNoSuperTypeMethodFalse()
를 주의해서 보자.
이 경우 표현식에 부모 타입인 MemberService
를 선언했다. 그런데 자식 타입인 MemberServiceImpl
의 Internal(String)
메서드를 매칭하려 한다. 이 경우 매칭에 실패한다. MemberService
에는 Internal(String)
메서드가 없다.
부모 타입을 표현식에 선언한 경우 부모타입에서 선언한 메서드가 자식 타입에 있어야 매칭에 성공한다.
그래서 부모 타입에 있는 hello(String)
메서드는 매칭에 성공하지만 부모 타입에 없는 internal(String)
은 매칭에 실패한다.
//String 타입의 파라미터 허용
//(String)
@Test
void argsMatch() {
pointcut.setExpression("execution(* *(String))");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
//파라미터가 없어야 함
//()
@Test
void argsMatchNoArgs() {
pointcut.setExpression("execution(* *())");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isFalse();
}
//정확히 하나의 파라미터 허용, 모든 타입 허용
//(Xxx)
@Test
void argsMatchStar() {
pointcut.setExpression("execution(* *(*))");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
//숫자와 무관하게 모든 파라미터, 모든 타입 허용
//(), (Xxx), (Xxx, Xxx)
@Test
void argsMatchAll() {
pointcut.setExpression("execution(* *(..))");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
//String 타입으로 시작, 숫자와 무관하게 모든 파라미터, 모든 타입 허용
//(String), (String, Xxx), (String, Xxx, Xxx)
@Test
void argsMatchComplex() {
pointcut.setExpression("execution(* *(String, ..))");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
execution 파라미터 매칭 규칙은 아래와 같다.
(String)
: 정확하게 String 타입 파라미터()
: 파라미터가 없어야 한다.(*)
: 정확히 하나의 파라미터, 단 모든 타입을 허용한다.(*, *)
: 정확히 두개의 파라미터, 단 모든 타입을 허용한다.(..)
: 숫자와 무관하게 모든 파라미터, 모든 타입을 허용한다. 참고로 파라미터가 없어도 된다. (String, ..)
: String타입으로 시작해야한다.execution
에서는 파라미터의 부모타입을 허용하진 않는다. within
지시자는 특정 타입 내의 조인 포인트들로 매칭을 제한한다. 쉽게 이야기해서 해당 타입이 매칭되면 그 안의 메서드(조이 포인트)들이 자동으로 매칭된다. 문법은 단순한데, execution
에서 타입 부분만 사용한다고 보면 된다.
package hello.aop.pointcut;
import hello.aop.member.MemberServiceImpl;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.DisplayName;
import org.junit.jupiter.api.Test;
import org.springframework.aop.aspectj.AspectJExpressionPointcut;
import java.lang.reflect.Method;
import static org.assertj.core.api.Assertions.assertThat;
public class WithinTest {
AspectJExpressionPointcut pointcut = new AspectJExpressionPointcut();
Method helloMethod;
@BeforeEach
public void init() throws NoSuchMethodException {
helloMethod = MemberServiceImpl.class.getMethod("hello", String.class);
}
@Test
void withinExact() {
pointcut.setExpression("within(hello.aop.member.MemberServiceImpl)");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
@Test
void withinStar() {
pointcut.setExpression("within(hello.aop.member.*Service*)");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
@Test
void withinSubPackage() {
pointcut.setExpression("within(hello.aop..*)");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
}
주의
within
사용시 주의해야 할 점이 있다. 표현식에 부모 타입을 지정하면 안된다는 점이다. 정확하게 타입이 맞아야 한다. 이 부분에서 execution
과 차이가 있다!!!
@Test
@DisplayName("타켓의 타입에만 직접 적용, 인터페이스를 선정하면 안된다.")
void withinSuperTypeFalse() {
pointcut.setExpression("within(hello.aop.member.MemberService)");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isFalse();
}
@Test
@DisplayName("execution은 타입 기반, 인터페이스 선정 가능")
void executionSuperTypeTrue() {
pointcut.setExpression("execution(* hello.aop.member.MemberService.*(..))");
assertThat(pointcut.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
args
: 인자가 주어진 타입의 인스턴스인 조인 포인트로 매칭execution
의 args
부분과 같다.execution과 args의 차이점
execution
은 파라미터 타입이 정확하게 매칭되어야 한다.execution
은 클래스에 선언된 정보를 기반으로 판단한다.args
는 부모 타입을 허용한다. args
는 실제로 넘어온 파라미터 객체의 인스턴스를 보고 판단한다.package hello.aop.pointcut;
import hello.aop.member.MemberServiceImpl;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.Test;
import org.springframework.aop.aspectj.AspectJExpressionPointcut;
import java.lang.reflect.Method;
import static org.assertj.core.api.Assertions.assertThat;
public class ArgsTest {
Method helloMethod;
@BeforeEach
public void init() throws NoSuchMethodException {
helloMethod = MemberServiceImpl.class.getMethod("hello", String.class);
}
private AspectJExpressionPointcut pointcut(String expression) {
AspectJExpressionPointcut pointcut = new AspectJExpressionPointcut();
pointcut.setExpression(expression);
return pointcut;
}
@Test
void args() {
//hello(String)과 매칭
assertThat(pointcut("args(String)")
.matches(helloMethod, MemberServiceImpl.class)).isTrue();
assertThat(pointcut("args(Object)")
.matches(helloMethod, MemberServiceImpl.class)).isTrue();
assertThat(pointcut("args()")
.matches(helloMethod, MemberServiceImpl.class)).isFalse();
assertThat(pointcut("args(..)")
.matches(helloMethod, MemberServiceImpl.class)).isTrue();
assertThat(pointcut("args(*)")
.matches(helloMethod, MemberServiceImpl.class)).isTrue();
assertThat(pointcut("args(String,..)")
.matches(helloMethod, MemberServiceImpl.class)).isTrue();
}
/**
* execution(* *(java.io.Serializable)): 메서드의 시그니처로 판단 (정적)
* args(java.io.Serializable): 런타임에 전달된 인수로 판단 (동적)
*/
@Test
void argsVsExecution() {
//Args
assertThat(pointcut("args(String)")
.matches(helloMethod, MemberServiceImpl.class)).isTrue();
assertThat(pointcut("args(java.io.Serializable)")
.matches(helloMethod, MemberServiceImpl.class)).isTrue();
assertThat(pointcut("args(Object)")
.matches(helloMethod, MemberServiceImpl.class)).isTrue();
//Execution
assertThat(pointcut("execution(* *(String))")
.matches(helloMethod, MemberServiceImpl.class)).isTrue();
assertThat(pointcut("execution(* *(java.io.Serializable))") //매칭 실패
.matches(helloMethod, MemberServiceImpl.class)).isFalse();
assertThat(pointcut("execution(* *(Object))") //매칭 실패
.matches(helloMethod, MemberServiceImpl.class)).isFalse();
}
}
String
은 Object
, java.io.Serializable
의 하위 타입이다.execution(* *(Object))
는 매칭에 실패한다.args(Object)
는 매칭에 성공한다.(부모 타입 허용)참고
args
지시자는 단독으로 사용되기 보다는 파라미터 바인딩에서 주로 사용된다.
정의
@target
: 실행 객체의 클래스에 주어진 타입의 애노테이션이 있는 조인 포인트@within
: 주어진 애노테이션이 있는 타입 내 조인 포인트설명
@target
,@within
은 다음과 같이 타입에 있는 애노테이션으로 AOP 적용 여부를 판단한다.
@target(hello.aop.member.annotation.ClassAop)
@within(hello.aop.member.annotation.ClassAop)
@ClassAop
class Target{}
@target vs @within
@target
은 인스턴스의 모든 메서드를 조인 포인트로 적용한다.@within
은 해당 타입 내에 있는 메서드만 조인 포인트로 적용한다.쉽게 이야기 해서 @target
은 부모 클래스의 메서드까지 어드바이스를 다 적용하고, @within
은 자기 자신의 클래스에 정의된 메서드에만 어드바이스를 적용한다.
@Slf4j
@Import({AtTargetAtWithinTest.Config.class})
@SpringBootTest
public class AtTargetAtWithinTest {
@Autowired
Child child;
@Test
void success() {
log.info("child Proxy={}", child.getClass());
child.childMethod(); //부모, 자식 모두 있는 메서드
child.parentMethod(); //부모 클래스만 있는 메서드
}
static class Config {
@Bean
public Parent parent() {
return new Parent();
}
@Bean
public Child child() {
return new Child();
}
@Bean
public AtTargetAtWithinAspect atTargetAtWithinAspect() {
return new AtTargetAtWithinAspect();
}
}
static class Parent {
public void parentMethod(){} //부모에만 있는 메서드
}
@ClassAop
static class Child extends Parent {
public void childMethod(){}
}
@Slf4j
@Aspect
static class AtTargetAtWithinAspect {
//@target: 인스턴스 기준으로 모든 메서드의 조인 포인트를 선정, 부모 타입의 메서드도 적용
@Around("execution(* hello.aop..*(..)) && @target(hello.aop.member.annotation.ClassAop)")
public Object atTarget(ProceedingJoinPoint joinPoint) throws Throwable {
log.info("[@target] {}", joinPoint.getSignature());
return joinPoint.proceed();
}
//@within: 선택된 클래스 내부에 있는 메서드만 조인 포인트로 선정, 부모 타입의 메서드는 적용되지 않음
@Around("execution(* hello.aop..*(..)) && @within(hello.aop.member.annotation.ClassAop)")
public Object atWithin(ProceedingJoinPoint joinPoint) throws Throwable {
log.info("[@within] {}", joinPoint.getSignature());
return joinPoint.proceed();
}
}
}
parentMethod()
는 parent
클래스에만 정의되어 있고, child
클래스에 정의되어 있지 않기 떄문에 @within
에서 AOP 적용 대상이 되지 않는다.
실행 결과는 보면 child.parentMethod()
를 호출했을때 within이 호출되지 않은 것을 볼 수 있다.
참고
@target
,@within
지시자는 파라미터 바인딩에서 함께 사용된다.
주의
다음 포인트컷 지시자는 단독으로 사용하면 안된다.args,@args,@target
위 예시 코드들을 보면execution(* hello.aop..(..))
를 통해 적용 대상을 줄여 준것을 확인할 수 있다.
args, @args, @target
실제 객체 인스턴스가 생성되고 실행될때 어드바이스 적용 여부를 확인할 수 있다.
실행 시점에 일어나는 포인트컷 적용 여부도 결국 프록시가 있어야 실행 시점에 판단할 수 있다. 프록시가 없다면 판단 자체가 불가능하다. 그런데 스프링 컨테이너가 프록시를 생성하는 시점은 스프링 컨테이너가 만들어지는 애플리케이션 로딩 시점에 적용할 수 있다. 따라서args, @args, @target
같은 포인트컷 지시자가 있으면 스프링은 모든 스프링빈에 AOP를 적용하려고 시도 한다.(왜냐하면 부모타입까지 모두 찾기 떄문에, 그래서 within은 제외임.)
문제는 이렇게 모든 스프링빈에 AOP 프록시를 적용하려고 하면 스프링이 내부에서 사용하는 빈 중에서는final
로 지정된 빈들도 있기 때문에 오류가 발생할 수 있다.
따라서 이러한 표현식은 최대한 프록시 적용 대상을 축소하는 표현식과 함께 사용해야한다.
정의
@annotation
: 메서드가 주어진 애노테이션을 가지고 있는 조인 포인트를 매칭(메서드임!!!)
설명
@annotation(hello.aop.member.annotation.MethodAop)
아래와 같이 메서드(조인 포인트)에 애노테이션이 있으면 매칭한다.
public class MemberServiceImpl {
@MethodAop("test value")
public String hello(String param) {
return "ok";
}
}
import hello.aop.member.MemberService;
import lombok.extern.slf4j.Slf4j;
import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.Around;
import org.aspectj.lang.annotation.Aspect;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.context.annotation.Import;
@Slf4j
@Import(AtAnnotationTest.AtAnnotationAspect.class)
@SpringBootTest
public class AtAnnotationTest {
@Autowired
MemberService memberService;
@Test
void success() {
log.info("memberService Proxy={}", memberService.getClass());
memberService.hello("helloA");
}
@Slf4j
@Aspect
static class AtAnnotationAspect {
@Around("@annotation(hello.aop.member.annotation.MethodAop)")
public Object doAtAnnotation(ProceedingJoinPoint joinPoint) throws Throwable {
log.info("[@annotation] {}", joinPoint.getSignature());
return joinPoint.proceed();
}
}
}
정의
@args
: 전달된 실제 인수의 런타임 타입이 주어진 타입의 애노테이션을 갖는 조인 포인트설명
전달된 인수의 런타임 타입에 @check
애노테이션이 있는 경우에 매칭한다.
@args(test.Check)
정의
bean
: 스프링 전용 포인트컷 지시자, 빈의 이름으로 지정한다.설명
bean(orderService) || bean(*Repository)
*
과 같은 패턴을 사용할 수 있다.@Slf4j
@Import(BeanTest.BeanAspect.class)
@SpringBootTest
public class BeanTest {
@Autowired
OrderService orderService;
@Test
void success() {
orderService.orderItem("itemA");
}
@Aspect
static class BeanAspect {
@Around("bean(orderService) || bean(*Repository)")
public Object doLog(ProceedingJoinPoint joinPoint) throws Throwable {
log.info("[bean] {}", joinPoint.getSignature());
return joinPoint.proceed();
}
}
}
다음은 포인트컷 표현식을 사용해서 어드바이스에 매개변수를 전달할 수 있따.
this, target, args,@target, @within, @annotation, @args
아래와 같이 사용할 수 있다.
@Before("allMember() && args(arg,..)")
public void logArgs3(String arg) {
log.info("[logArgs3] arg={}", arg);
}
args
로 맞추었다.String
으로 되어 있기 때문에 다음과 같이 정의되는것으로 이해하면 된다.args(arg,..)->args(String,..)
Slf4j
@Import(ParameterTest.ParameterAspect.class)
@SpringBootTest
public class ParameterTest {
@Autowired
MemberService memberService;
@Test
void success() {
log.info("memberService Proxy={}", memberService.getClass());
memberService.hello("helloA");
}
@Slf4j
@Aspect
static class ParameterAspect {
@Pointcut("execution(* hello.aop.member..*.*(..))")
private void allMember() {
}
@Around("allMember()")
public Object logArgs1(ProceedingJoinPoint joinPoint) throws Throwable {
Object arg1 = joinPoint.getArgs()[0];
log.info("[logArgs1]{}, arg={}", joinPoint.getSignature(), arg1);
return joinPoint.proceed();
}
@Around("allMember() && args(arg,..)")
public Object logArgs2(ProceedingJoinPoint joinPoint, Object arg) throws Throwable {
log.info("[logArgs2]{}, arg={}", joinPoint.getSignature(), arg);
return joinPoint.proceed();
}
@Before("allMember() && args(arg,..)")
public void logArgs3(String arg) {
log.info("[logArgs3] arg={}", arg);
}
@Before("allMember() && this(obj)")
public void thisArgs(JoinPoint joinPoint, MemberService obj) {
log.info("[this]{}, obj={}", joinPoint.getSignature(), obj.getClass());
}
@Before("allMember() && target(obj)")
public void targetArgs(JoinPoint joinPoint, MemberService obj) {
log.info("[target]{}, obj={}", joinPoint.getSignature(), obj.getClass());
}
@Before("allMember() && @target(annotation)")
public void atTarget(JoinPoint joinPoint, ClassAop annotation) {
log.info("[@target]{}, obj={}", joinPoint.getSignature(), annotation);
}
@Before("allMember() && @within(annotation)")
public void atWithin(JoinPoint joinPoint, ClassAop annotation) {
log.info("[@within]{}, obj={}", joinPoint.getSignature(), annotation);
}
@Before("allMember() && @annotation(annotation)")
public void atAnnotation(JoinPoint joinPoint, MethodAop annotation) {
log.info("[@annotation]{}, annotationValue={}", joinPoint.getSignature(), annotation.value());
}
}
}
정의
설명
this(hello.aop.member.MemberService)
target(hello.aop.member.MemberService)
this vs target
단순히 타입 하나를 정하면 되는데, this와 target은 어떤 차이가 있을까?
스프링에서 AOP를 적용하면 실제 target 객체 대신에 프록시 객체가 스프링빈으로 등록된다.
프록시 생성 방식에 따른 차이
스프링은 프록시를 생성할 때, JDK 동적 프록시와 CGLIB를 선택할 수 있다, 둘의 프록시를 생성하는 방식이 다르기 때문에 차이가 발생한다.
먼저 JDK 동적 프록시를 적용했을때 this, target을 비교해보면 아래와 같다.
MemberService 인터페이스 지정
MemberServiceImpl 구체 클래스 지정
MemberService 인터페이스 지정
this(hello.aop.member.MemberService)
: proxy객체를 보고 판단한다. this
는 부모 타입을 허용하기 때문에 AOP가 적용된다.target(hello.aop.member.MemberService)
: target객체를 보고 판단한다. target
은 부모 타입을 허용하기 때문에 AOP가 적용된다.MemberServiceImpl 구체 클래스 지정
this(hello.aop.member.MemberServiceImpl)
: proxy객체를 보고 판단한다. CLIB로 만들어진 proxy객체는 MemberServiceImpl를 상속받아서 만들었기 때문에 AOP가 적용된다. this가 부모 탕비을 허용하기 떄문에 포인트컷의 대상이 된다.target(hello.aop.member.MemberServiceImpl)
: target객체를 보고 판단한다. target
은 부모 타입을 허용하기 때문에 AOP가 적용된다.정리
프록시를 대상으로 하는 this의 경우 구체 클래스를 지정하면 프록시 생성 전략에 따라서 다른 결과가 나올 수 있다는 점을 알아두자.
@Slf4j
@Import(ThisTargetTest.ThisTargetAspect.class)
//@SpringBootTest(properties = "spring.aop.proxy-target-class=false") //JDK 동적 프록시
@SpringBootTest(properties = "spring.aop.proxy-target-class=true") //CGLIB
public class ThisTargetTest {
@Autowired
MemberService memberService;
@Test
void success() {
log.info("memberService Proxy={}", memberService.getClass());
memberService.hello("helloA");
}
@Slf4j
@Aspect
static class ThisTargetAspect {
//부모 타입 허용
@Around("this(hello.aop.member.MemberService)")
public Object doThisInterface(ProceedingJoinPoint joinPoint) throws Throwable {
log.info("[this-interface] {}", joinPoint.getSignature());
return joinPoint.proceed();
}
//부모 타입 허용
@Around("target(hello.aop.member.MemberService)")
public Object doTargetInterface(ProceedingJoinPoint joinPoint) throws Throwable {
log.info("[target-interface] {}", joinPoint.getSignature());
return joinPoint.proceed();
}
@Around("this(hello.aop.member.MemberServiceImpl)")
public Object doThis(ProceedingJoinPoint joinPoint) throws Throwable {
log.info("[this-impl] {}", joinPoint.getSignature());
return joinPoint.proceed();
}
@Around("target(hello.aop.member.MemberServiceImpl)")
public Object doTarget(ProceedingJoinPoint joinPoint) throws Throwable {
log.info("[target-impl] {}", joinPoint.getSignature());
return joinPoint.proceed();
}
}
}
this,target은 실제 객체를 만들어야 테스트할 수 있다.
@SpringBootTest(properties = "spring.aop.proxy-target-class=false") //JDK 동적 프록시
애노테이션을 만들때, Target을 Type으로 하면 클래스를 지정하고, RetentionPolicy.Rutime은 실행시간동안 계속 살아있음을 의미.
선언타입은 패키지와 클래스명을 의미함.
this는 object가 넘어온다.
실제 args의 용도는 2가지다.
해당 포스팅은 아래의 강의를 공부하여 정리한 내용입니다.
김영한님의 포인트컷