Spring-AOP

基于 XML 配置的 Spring AOP(面向切面编程)
SPRING 中文网:https://springdoc.cn/spring-aop-xml/
AOP是一种编程范式,旨在通过分离横切关注点来提高模块化程度。
它通过在不修改代码本身的情况下为现有代码添加额外的行为来实现这一目标。
切入点表达式*..*.*(..)
访问修饰符 返回值 包名.包名.包名…类名.方法名(参数列表)


目标方法执行前配置

public class BeforeLog implements MethodBeforeAdvice {
    /**
     * 
     * @param method 目标对象要执行的方法
     * @param args 参数
     * @param target 目标对象
     * @throws Throwable
     */
    @Override
    public void before(Method method, Object[] args, Object target) throws Throwable {
        System.out.println(target.getClass().getName() + " 调用:" + method.getName() + " 之前");
    }
}

目标方法执行后配置

public class AfterLog implements AfterReturningAdvice {
    /**
     * 
     * @param returnValue 
     * @param method 目标对象要执行的方法
     * @param args 参数
     * @param target 目标对象
     * @throws Throwable
     */
    @Override
    public void afterReturning(Object returnValue, Method method, Object[] args, Object target) throws Throwable {
        System.out.println(target.getClass().getName() + " 调用:" + method.getName() + " 后,返回值:" + returnValue);
    }
}

Spring配置文件


<beans xmlns="http://www.springframework.org/schema/beans"
       xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 
       xmlns:aop="http://www.springframework.org/schema/aop"
       xsi:schemaLocation="http://www.springframework.org/schema/beans 
       http://www.springframework.org/schema/beans/spring-beans.xsd 
       http://www.springframework.org/schema/aop 
       https://www.springframework.org/schema/aop/spring-aop.xsd">

    
    <bean id="userServiceImpl" class="org.example.service.UserServiceImpl"/>
    <bean id="afterLog" class="org.example.log.AfterLog"/>
    <bean id="beforeLog" class="org.example.log.BeforeLog"/>
    
    <aop:config>
        
        <aop:pointcut id="pointcut" expression="execution(* org.example.service.UserServiceImpl.*(..))"/>
        
        <aop:advisor advice-ref="beforeLog" pointcut-ref="pointcut"/>
        <aop:advisor advice-ref="afterLog" pointcut-ref="pointcut"/>
    aop:config>
beans>

测试类

public class AopTest {
    public static void main(String[] args) {
        ApplicationContext context = new ClassPathXmlApplicationContext("applicationContext.xml");
        UserService userService = (UserService) context.getBean("userServiceImpl");
        userService.selectAll();
    }
}

你可能感兴趣的:(spring)