AOP
AOP가 필요한 상황
- 모든 메소드의 호출 시간을 측정하고 싶다면?
- 초 단위로 만들었는데 ms 단위로 만들라고 하면??
- 공통 관심 사항(cross-cutting concern) vs 핵심 관심 사항(core concern)
- 회원 가입 시간, 회원 조회 시간을 측정하고 싶다면?
MemberService 회원 조회 시간 측정 추가
package hello.hellospring.service;
@Transactional
public class MemberService {
/**
* 회원가입 */
public Long join(Member member) {
long start = System.currentTimeMillis();
try {
validateDuplicateMember(member); //중복 회원 검증 memberRepository.save(member);
return member.getId();
} finally {
long finish = System.currentTimeMillis();
long timeMs = finish - start;
System.out.println("join " + timeMs + "ms");
}
}
/**
* 전체 회원 조회 */
public List<Member> findMembers() {
long start = System.currentTimeMillis();
try {
return memberRepository.findAll();
} finally {
long finish = System.currentTimeMillis();
long timeMs = finish - start;
System.out.println("findMembers " + timeMs + "ms");
}
}
}
- 이런 식으로 1000개 메서드에 대해서 전부 작성하려면...
- 처음 테스트 돌릴때는 시간이 오래걸림(웜업을 하기도 함)
문제점
- 회원가입, 회원 조회에 시간을 측정하는 기능은 핵심 관심 사항이 아니다.
- 시간을 측정하는 로직은 공통 관심 사항이다.
- 시간을 측정하는 로직과 핵심 비즈니스의 로직이 섞여서 유지보수가 어렵다.
- 시간을 측정하는 로직을 별도의 공통 로직으로 만들기 매우 어렵다.
- 시간을 측정하는 로직을 변경할 때 모든 로직을 찾아가면서 변경해야 한다.
AOP 적용
- AOP: Aspect Oriented Programming
- 공통 관심 사항(cross-cutting concern) vs 핵심 관심 사항(core concern) 분리
시간 측정 AOP 등록
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;
@Component
@Aspect
public class TimeTraceAop {
@Around("execution(* hello.hellospring..*(..))") // 특정 패키지 하위 특정 클래스 지정 가능
// @Around("execution(* hello.hellospring.service..*(..))") // service 하위 클래스만 timetrace
public Object execute(ProceedingJoinPoint joinPoint) throws Throwable {
long start = System.currentTimeMillis();
System.out.println("START: " + joinPoint.toString()); // 어떤 메서드를 call 하는지
try {
return joinPoint.proceed(); // 다음 메서드로 진행
} finally {
long finish = System.currentTimeMillis();
long timeMs = finish - start;
System.out.println("END: " + joinPoint.toString()+ " " + timeMs + "ms");
}
}
}
Spring 설정 변경(Component 스캔 안쓴다면)
package hello.hellospring;
import hello.hellospring.repository.*;
import hello.hellospring.service.MemberService;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
@Configuration
public class SpringConfig {
// 스프링 데이터 JPA가 만들어둔 구현체가 등록이 됨
private final MemberRepository memberRepository;
// @Autowired 생략 가능
// 스프링데이터 JPA가 구현해 만들어 등록해둔 거를 DI
public SpringConfig(MemberRepository memberRepository) {
this.memberRepository = memberRepository;
}
@Bean
public MemberService memberService() {
return new MemberService(memberRepository);
}
@Bean
public TimeTraceApp() {
return new TimeTraceApp();
}
}
해결
- 회원가입, 회원 조회등 핵심 관심사항과 시간을 측정하는 공통 관심 사항을 분리한다.
- 시간을 측정하는 로직을 별도의 공통 로직으로 만들었다.
- 핵심 관심 사항을 깔끔하게 유지할 수 있다.
- 변경이 필요하면 이 로직만 변경하면 된다.
- 원하는 적용 대상을 선택할 수 있다.
스프링의 AOP 동작 방식 설명
AOP 적용 전 의존관계
memberController --> memberService
AOP 적용 후 의존관계
memberController --> 프록시 memberService --> (jointPoint.proceed()) --> 실제 memberService
- 스프링이 올라올 때 컨테이너에 가짜 스프링 빈을 앞에 세워 놓는다
AOP 적용 전 전체 그림
AOP 적용 후 전체 그림
- 실제 Proxy가 주입되는지 콘솔에 출력해서 확인하기(getclass() 메서드 이용)
'Spring > MVC' 카테고리의 다른 글
[Spring MVC] 02. 서블릿 (0) | 2024.11.19 |
---|---|
[Spring MVC] 01. Web Application의 이해 (0) | 2024.11.19 |
[Spring/입문] 06. 스프링 DB 접근 기술 (0) | 2024.05.13 |
[Spring/입문] 회원 관리 예제 - 웹 MVC 개발 (0) | 2024.04.29 |
[Spring/입문] 스프링 빈과 의존관계 (0) | 2024.04.29 |