반응형
AOP : Aspect Oriented Programming
package hello.hellospring.aop;
import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.Around;
import org.aspectj.lang.annotation.Aspect;
import org.springframework.stereotype.Component;
@Aspect
@Component
public class TimeTraceAop {
@Around("execution(* hello.hellospring..*(..))")
public Object execute(ProceedingJoinPoint joinPoint) throws Throwable{
long start = System.currentTimeMillis();
System.out.println("START : " + joinPoint.toString());
try{
return joinPoint.proceed();
} finally{
long finish = System.currentTimeMillis();
long timeMs = finish - start;
System.out.println("END " + joinPoint.toString() + " " + timeMs + "ms");
}
}
}
▶ 시간 측정 AOP 등록
package hello.hellospring;
import hello.hellospring.aop.TimeTraceAop;
import hello.hellospring.repository.JpaMemberRepository;
import hello.hellospring.repository.MemberRepository;
import hello.hellospring.service.MemberService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
@Configuration
public class SpringConfig {
private final MemberRepository memberRepository;
@Autowired
public SpringConfig(MemberRepository memberRepository) {
this.memberRepository = memberRepository;
}
@Bean
public MemberService memberService(){
return new MemberService(memberRepository);
}
/*
@Bean
public TimeTraceAop timeTraceAop(){
return new TimeTraceAop();
}
*/
}
▶ @Component 애노테이션을 주입하는 대신 Config 파일에 @Bean을 등록하는 방식도 있음
▶ MemberServiceIntegrationTest 파일을 실행해보면 정상적으로 작동
AOP 문제
- 회원가입, 회원 조회에 시간을 측정하는 기능은 핵심 관심 사항이 아님
- 시간을 측정하는 로직은 공통 관심 사항임
- 시간을 측정하는 로직과 핵심 비즈니스의 로직이 섞여서 유지보수가 어려움
- 시간을 측정하는 로직을 별도의 공통 로직으로 만들기 매우 어려움
- 시간을 측정하는 로직을 변경할 때 모든 로직을 찾아가면서 변경해야 함
AOP 해결
- 회원가입, 회원 조회 등 핵심 관심사항과 시간을 측정하는 공통 관심 사항을 분리함
- 시간을 측정하는 로직을 별도의 공통 로직으로 만듦
- 핵심 관심 사항을 깔끔하게 유지할 수 있음
- 변경이 필요하면 이 로직만 변경하면 됨
- 원하는 적용 대상을 선택할 수 있음
반응형
'Spring > inflearn' 카테고리의 다른 글
AOP (0) | 2022.09.08 |
---|---|
스프링 데이터 JPA (0) | 2022.09.07 |
JPA (0) | 2022.09.06 |
스프링 JdbcTemplate (0) | 2022.09.05 |
스프링 통합 테스트 (0) | 2022.09.04 |