220222_스프링 입문_스프링을 조금 더 들여다보기_AOP 실무 사례 알아보기(2)_패스트캠퍼스 챌린지 30일차
<2022년 02월 22일 _ 패스트캠퍼스 챌린지 30일차>
[스프링 입문_스프링을 조금 더 들여다보기_AOP 실무 사례 알아보기(2)]
지난 게시물에서 이어집니다
220221_스프링 입문_스프링을 조금 더 들여다보기_AOP 실무 사례 알아보기(1)_패스트캠퍼스 챌린지 2
220221_스프링 입문_스프링을 조금 더 들여다보기_AOP 실무 사례 알아보기(1)_패스트캠퍼스 챌린지 29일차 [스프링 입문_스프링을 조금 더 들여다보기_AOP 실무 사례 알아보기(1)] 1. 실습 (1) File > New
mylife4hi.red
2. 실습
(1) aop 패키지에 TimerAop 클래스 추가
package com.example.aop.aop;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Pointcut;
import org.springframework.stereotype.Component;
@Aspect
@Component
public class TimerAop {
//controller 패키지 하위를 다 point cut하겠다~
@Pointcut("execution(* com.example..aop.controller..*.*(..))")
private void cut(){
}
private void enableTimer(){
}
}
※ @Bean 은 Method 단위, @Component는 Class 단위로 적용
, @Configuration은 하나의 클래스에 여러가지 Bean이 등록됨 ※
(2) annotation 패키지 추가 > Timer Annotation 추가
package com.example.aop.annotation;
import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
@Target({ElementType.TYPE, ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
public @interface Timer {
}
(3) RestApiController 클래스에 delete() 메소드 추가 작성
@Timer
@DeleteMapping("/delete")
public void delete() throws InterruptedException {
//db logic
Thread.sleep(1000 * 2);
}
(4) TimerAop 클래스 추가 작성
package com.example.aop.aop;
import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.Around;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Pointcut;
import org.springframework.stereotype.Component;
import org.springframework.util.StopWatch;
@Aspect
@Component
public class TimerAop {
//controller 패키지 하위를 다 point cut하겠다~
@Pointcut("execution(* com.example..aop.controller..*.*(..))")
private void cut(){
}
@Pointcut("@annotation(com.example.aop.annotation.Timer)")
private void enableTimer(){
}
@Around("cut() && enableTimer()")
public void around(ProceedingJoinPoint joinPoint) throws Throwable {
StopWatch stopWatch = new StopWatch();
stopWatch.start();
Object result = joinPoint.proceed(); // 메소드는 여기서 실행~!
stopWatch.stop();
System.out.println("total time : " + stopWatch.getTotalTimeSeconds());
}
}
결과:
delete
total time : 2.0067923
return obj
null
: AOP를 지원하지 않는 코드라면, 해당 Timer 등의 기능을 Business logic 상에 넣어야 한다
: 반복적이고 메소드를 타지 않고 횡단으로 적용되어야 하는 이러한 기능을 AOP에서 효율적으로 추가 할 수 있다
다음은 비즈니스 로직에 더 집중할 수 있도록, around가 아니라 before에서 값을 바꿔주도록 해봅시다!
(5) 값의 변환, annotataion 패키지에 Decode annotation을 추가해줍니다
package com.example.aop.annotation;
import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
@Target({ElementType.TYPE, ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
public @interface Decode {
}
(6) RestApiController 에 코드 추가
@Decode
@PostMapping("/put")
public User put(@RequestBody User user){
System.out.println("put");
System.out.println(user);
return user;
}
(7) aop 패키지에 DecodeAop클래스 추가
package com.example.aop.aop;
import com.example.aop.dto.User;
import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.AfterReturning;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.aspectj.lang.annotation.Pointcut;
import org.springframework.stereotype.Component;
import java.io.UnsupportedEncodingException;
import java.util.Base64;
@Aspect
@Component
public class DecodeAop {
//controller 패키지 하위를 다 point cut하겠다~
@Pointcut("execution(* com.example..aop.controller..*.*(..))")
private void cut(){
}
@Pointcut("@annotation(com.example.aop.annotation.Decode)")
private void enableDecode(){
}
//메소드 시작 전 디코딩
@Before("cut() && enableDecode()")
public void before(JoinPoint joinPoint) throws UnsupportedEncodingException {
Object[] args = joinPoint.getArgs();
for(Object arg : args){
if(arg instanceof User){ // User 클래스가 있으면
User user = User.class.cast(arg); // Object 에서 User 클래스로 형변환
String base64Email = user.getEmail();
String email = new String(Base64.getDecoder().decode(base64Email), "UTF-8");
user.setEmail(email);
}
}
}
//메소드 종료 후 인코딩
@AfterReturning(value = "cut() && enableDecode()", returning = "returnObj")
public void afterReturn(JoinPoint joinPoint, Object returnObj){
if(returnObj instanceof User){ // User 클래스가 있으면
User user = User.class.cast(returnObj); // Object 에서 User 클래스로 형변환
String email = user.getEmail();
String base64Email = Base64.getEncoder().encodeToString(email.getBytes());
user.setEmail(base64Email);
}
}
}
(8) 테스트 (PUT)http://localhost:8080/api/put
Body:
{
"id" : "steve",
"pw" : "1234",
"email" : "c3RldmVAZ21haWwuY29t"
}
결과:
put
type : User
value : User{id='steve', pw='1234', email='steve@gmail.com'}
put
User{id='steve', pw='1234', email='steve@gmail.com'}
return obj
User{id='steve', pw='1234', email='steve@gmail.com'}
30일차 강의 완료~
패스트캠퍼스 [직장인 실무교육]
프로그래밍, 영상편집, UX/UI, 마케팅, 데이터 분석, 엑셀강의, The RED, 국비지원, 기업교육, 서비스 제공.
fastcampus.co.kr
본 포스팅은 패스트캠퍼스 환급 챌린지 참여를 위해 작성되었습니다.
'개발새발 > Spring' 카테고리의 다른 글
220224_스프링 입문_스프링을 조금 더 들여다보기_ObjectMapper 실무 사례 알아보기_패스트캠퍼스 챌린지 32일차 (0) | 2022.02.24 |
---|---|
220223_스프링 입문_스프링을 조금 더 들여다보기_ObjectMapper_패스트캠퍼스 챌린지 31일차 (0) | 2022.02.23 |
220221_스프링 입문_스프링을 조금 더 들여다보기_AOP 실무 사례 알아보기(1)_패스트캠퍼스 챌린지 29일차 (0) | 2022.02.21 |
220220_스프링 입문_스프링을 조금 더 들여다보기_AOP_패스트캠퍼스 챌린지 28일차 (0) | 2022.02.20 |
220219_스프링 입문_스프링을 조금 더 들여다보기_IoC, DI(2)_패스트캠퍼스 챌린지 27일차 (0) | 2022.02.19 |