AOP (Aspect Oriented Programming : 관점 지향 프로그래밍)
- 관점지향 프로그래밍
- Core Concerns : 메인 로직
- Cross-Cutting Concerns : 부가적인 로직(로그인 검사, 보안, 로깅, ...)
- 반복되는 부가 로직을 재사용할 수 있는 방법
- OOP(Object Oriented Programming) 방식으로는 안됨
- AOP 방식을 사용하여 OOP를 보완할 수 있음
- Advice : 부가적인 로직을 메소드로 선언한 것
- Pointcut : 부가로직인 실행될 메인 로직의 완전한 경로 표현
- Aspect : 부가로직을 메소드로 선언한 클래스
- JoinPoint : 부가로직에 이어서 실행될 주 로직의 메소드 정보
- @Befor, @After, @Around, @AfterReturning, @AfterThrowing : Advice타입
빅데이터
- logging
- 글쓰기 : 이용자가 작성한 글을 DB에 저장한다
..
코드 중복방지
주 로직, 부가 로직을 완전히 분리
<!-- AOP -->
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-aop</artifactId>
<scope>compile</scope>
</dependency>
<dependency>
<groupId>org.aspectj</groupId>
<artifactId>aspectjweaver</artifactId>
<scope>compile</scope>
</dependency>
@Controller
@RequestMapping("/aop")
public class AopTestController {
@Autowired
private MathService ms;
@GetMapping("/test")
@ResponseBody
public String test() {
ms.add(3, 5);
return "test";
}
}
@Service
public class MathService {
public void add(int a, int b) {}
public void sub(int a, int b) {}
public void mul(int a, int b) {}
public void div(int a, int b) {}
}
@Aspect
@Configuration
@Slf4j
public class MathAOP { // MathService메소드 실행전에 화면에 표시
@Pointcut("execution(* com.ezen.demo.aop.MathService.*(...))") // MyService가 돌아가기 전에 부가로직을 실행한다(Pointcut Expression : 포인트컷 표현식), 지점을 가리킨다
private void mathfunc() {}
@Before("mathfunc()") // 지점을 가리킨 sample 메소드를 사용해서 포인트컷을 지정하지 않고도 MyService가 돌아가기 전에 앞서서 실행하는 것이 가능하다
public void beforeLog(JoinPoint jp) {
String methodName = jp.getSignature().getName();
log.info(methodName+"호출됨");
}
}