SW/Spring Boot

Spring Boot : Spring Boot AOP Before Advice 개념, 예제, 개요, 설명

얇은생각 2023. 3. 24. 07:30
반응형

Spring Boot : Spring Boot AOP Before Advice 개념, 예제, 개요, 설명

 

 

횡단면을 달성하기 위해 측면 지향 프로그래밍에서 Befre Advice가 있습니다. 메서드를 실행하기 전에 Advice가 실행되도록 하는 Advice 유형입니다. @Before Annotation을 사용하여 Before Advice을 구현합니다.

 

 

 

스프링 부트 Before Advice 예

1단계: 스프링 Initializr http://start.spring.io을 엽니다.

2단계: 그룹 이름을 입력합니다. 그룹명 com.xxx를 제공하였습니다.

3단계: 아티팩트 ID를 제공합니다. ArtifactIdop-before-advisor-example을 제공했습니다.

4단계: 스프링 웹 종속성을 추가합니다.

5단계: Generate 버튼을 클릭합니다. Generate 버튼을 클릭하면 모든 사양을 jar 파일로 감싸고 로컬 시스템에 다운로드합니다.

스프링 부트 AOP가 권장됩니다.

 

6단계: 다운로드한 jar 파일의 압축을 풉니다.

7단계: 다음 단계를 사용하여 폴더를 가져옵니다.

파일 -> 가져오기 -> 기존 메이븐 프로젝트 -> 다음 -> 폴더 찾아보기 -> 사전 조언 예제 -> 마침입니다.

 

8단계: pom.xml 파일을 열고 다음 AOP 종속성을 추가합니다. Spring AOP Aspect J를 통한 Aspect 지향 프로그래밍의 시작점입니다.

<dependency>  
<groupId>org.springframework.boot</groupId>  
<artifactId>spring-boot-starter-aop</artifactId>  
</dependency>  
</dependencies>

 

 

<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">  
<modelVersion>4.0.0</modelVersion>  
<groupId>com.xxx</groupId>  
<artifactId> aop-before-advice-example</artifactId>  
<version>0.0.1-SNAPSHOT</version>    
<packaging>jar</packaging>    
<name>aop-before-advice-example</name>  
    <description>Demo project for Spring Boot</description>  
    <parent>  
        <groupId>org.springframework.boot</groupId>  
        <artifactId>spring-boot-starter-parent</artifactId>  
        <version>2.2.2.RELEASE</version>  
        <relativePath /> <!-- lookup parent from repository -->  
    </parent>  
    <properties>  
        <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>  
        <project.reporting.outputEncoding>UTF-8</project.reporting.outputEncoding>  
        <java.version>1.8</java.version>  
    </properties>  
    <dependencies>  
        <dependency>  
            <groupId>org.springframework.boot</groupId>  
            <artifactId>spring-boot-starter-web</artifactId>  
        </dependency>  
    <dependency>  
            <groupId>org.springframework.boot</groupId>  
            <artifactId>spring-boot-starter-aop</artifactId>  
        </dependency>  
    </dependencies>  
  
    <build>  
        <plugins>  
            <plugin>  
                <groupId>org.springframework.boot</groupId>  
                <artifactId>spring-boot-maven-plugin</artifactId>  
            </plugin>  
        </plugins>  
    </build>  
</project>

 

 

9단계: AopBeforeAdviceExampleApplication.java 파일을 열고 주석 @EnableAspectJAutoProxy를 추가합니다.

@EnableAspectJAutoProxy(proxyTargetClass=true)

 

 

package com.xxx;

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.context.annotation.EnableAspectJAutoProxy;

@SpringBootApplication
@EnableAspectJAutoProxy(proxyTargetClass = true)
public class AopBeforeAdviceExampleApplication {
    public static void main(String[] args) {
        SpringApplication.run(AopBeforeAdviceExampleApplication.class, args);
    }
}

 

 

10단계: com.xxx.model이라는 이름으로 패키지를 생성합니다.

11단계: com.xxx.model 패키지 아래에 모델 클래스를 만듭니다. Employee라는 이름의 클래스를 만들었습니다. 클래스에서 다음을 정의합니다.

 

유형 문자열의 세 가지 변수 empId, firstName secondName을 정의합니다.

게터 및 세터를 생성합니다.

기본값을 만듭니다.

 

package com.xxx.model;

public class Employee {

    private String empId;
    private String firstName;
    private String secondName;
    
    //default constructor  
    
    public Employee() {}
    
    public String getEmpId() {
        return empId;
    }
    
    public void setEmpId(String empId) {
        this.empId = empId;
    }
    
    public String getFirstName() {
        return firstName;
    }
    
    public void setFirstName(String firstName) {
        this.firstName = firstName;     
    }
    
    public String getSecondName() {
        return secondName;
    }
    
    public void setSecondName(String secondName) {
        this.secondName = secondName;
    }
}

 

 

12단계: com.xxx.controller라는 이름으로 패키지를 생성합니다.

13단계: com.xxx.controller 패키지 아래에 컨트롤러 클래스를 만듭니다.

EmployeeController라는 이름의 클래스를 만들었습니다.

컨트롤러 클래스에서는 직원을 추가하기 위한 매핑과 직원을 제거하기 위한 매핑을 정의했습니다.

package com.xxx.controller;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.RestController;
import com.javatpoint.model.Employee;
import com.javatpoint.service.EmployeeService;

@RestController
public class EmployeeController {

    @Autowired
    private EmployeeService employeeService;
    
    @RequestMapping(value = "/add/employee", method = RequestMethod.GET)
    public com.javatpoint.model.Employee addEmployee(@RequestParam("empId") String empId, @RequestParam("firstName") String firstName, @RequestParam("secondName") String secondName) {
        return employeeService.createEmployee(empId, firstName, secondName);
    }
    
    @RequestMapping(value = "/remove/employee", method = RequestMethod.GET)
    public String removeEmployee(@RequestParam("empId") String empId) {
        employeeService.deleteEmployee(empId);
        return "Employee removed";
    }
} 

 

 

14단계: com.xxx.service라는 이름의 패키지를 만듭니다.

15단계: 패키지 com.xxx.service 아래에 클래스를 만듭니다. EmployeeService라는 이름의 클래스를 만들었습니다.

서비스 클래스에서는 직원 작성 및 직원 삭제 두 가지 방법을 정의했습니다.

package com.xxx.aspect;

import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.springframework.stereotype.Component;

@Aspect
@Component
public class EmployeeServiceAspect {

    @Before(value = "execution(* com.javatpoint.service.EmployeeService.*(..)) and args(empId, fname, sname)")
    public void beforeAdvice(JoinPoint joinPoint, String empId, String fname, String sname) {
        System.out.println("Before method:" + joinPoint.getSignature());
        System.out.println("Creating Employee with first name - " + fname + ", second name - " + sname + " and id - " + empId);
    }
}

 

 

16단계: com.xxx.aspect라는 이름의 패키지를 만듭니다.

17단계: com.xxx.aspect 패키지 아래에 spect 클래스를 만듭니다. EmployeeServiceAspect라는 이름의 클래스를 만들었습니다.

package com.xxx.aspect;

import org.aspectj.lang.JoinPoint
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.springframework.stereotype.Component;

@Aspect
@Component
public class EmployeeServiceAspect {

    @Before(value = "execution(* com.javatpoint.service.EmployeeService.*(..)) and args(empId, fname, sname)")
    public void beforeAdvice(JoinPoint joinPoint, String empId, String fname, String sname) {
        System.out.println("Before method:" + joinPoint.getSignature());
        System.out.println("Creating Employee with first name - " + fname + ", second name - " + sname + " and id - " + empId);
    }
}

 

 

 

위의 클래스에서 다음을 수행합니다.

execution(수식): 그 표현은 조언이 적용되는 방법입니다.

@Before: PointCut에서 다루는 메서드 전에 실행해야 할 조언으로 기능을 표시합니다.

 

모든 모듈을 생성한 후 프로젝트 디렉터리는 다음과 같습니다.

Spring Boot : Spring Boot AOP Before Advice 개념, 예제, 개요, 설명 2

 

 

모든 모듈을 설치했습니다. 이제 애플리케이션을 실행하겠습니다.

18단계: eAopBeforeAdviceExampleApplication.java 파일을 열고 Java Application으로 실행합니다.

19단계: 브라우저를 열고 다음 URL을 호출합니다. http://localhost:8080/add/employee?empId={id}&firstName={fname}&secondName={sname}

위의 URL에서 /add/employee Controller 클래스에서 만든 매핑입니다. 두 값을 구분하기 위해 두 구분 기호(?) (&)를 사용했습니다.

Spring Boot : Spring Boot AOP Before Advice 개념, 예제, 개요, 설명 3

 

 

위의 출력에서 emId 101, firstName=을 할당했습니다.Tim, 그리고 secondName= cook입니다.

콘솔을 살펴보겠습니다. EmployeeService 클래스의 createEmployee() 메서드를 호출하기 전에 아래와 같이 EmployeeServiceAspect 클래스의 Advisory() 이전 메서드가 호출됩니다.

Spring Boot : Spring Boot AOP Before Advice 개념, 예제, 개요, 설명4

 

 

마찬가지로 URL http://localhost:8080/remove/empId=101을 호출하여 직원을 제거할 수도 있습니다. 다음 그림과 같이 Employee removed 메시지를 반환합니다.

Spring Boot : Spring Boot AOP Before Advice 개념, 예제, 개요, 설명 5

 

 

이 섹션에서는 Before Advice에 대해 알아보았습니다. 다음 섹션에서는 After Advice에 대해 배우고 응용 프로그램에 구현할 것입니다.

반응형