目录
一.AOP简介:
二.AOP实现步骤:
1.在pom.xml中导入配置:
2.自定义注解
3.自定义切面类
4.在方法上加入自定义注解,来使用AOP
5.在启动类上加入@EnableTransactionManagement注解
引言:本文快速带领读者了解AOP的知识点,设计AOP的整体实现过程,如有不足请见谅,欢迎评论区留言。
一.AOP简介:
利用AOP可以对业务逻辑的各个部分进行隔离,从而是的业务逻辑各部分之间的耦合度降低,提高程序的可重用性,同时提高了开发的效率。不通过修改源代码方式,在主干功能里面添加新功能。
AOP可以有效的解决代码重复问题,基于动态代理的技术来实现。
二.AOP实现步骤:
1.在pom.xml中导入配置:
<dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-aop</artifactId>
</dependency>
<dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-web</artifactId>
</dependency>
2.自定义注解
为了让aop知道哪些方法需要处理,我们通过注解的方式来标记。
在annotation包下创建注解LogAnnotation
import java.lang.annotation.*;@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface LogAnnotation {//给注解添加值,日志标记作用String value() default "";//default默认值为空
}
3.自定义切面类
在aspect包下创建切面类LogAspect
@Aspect //标注切面类
@Component //注入,交给Spring容器管理
public class LogAspect {//切入点注解,绑定注解,然后间接找到哪些类需要加切面//这里可加入execution(* com.sky.controller.*.*(..))来拦截@Pointcut("@annotation(com.sky.annotation.LogAnnotation)")public void logPointCut(){}//定义通知(前置,后置,环绕,异常...)@Around("logPointCut()") //绑定切入点 public Object around(ProceedingJoinPoint joinPoint) throws Throwable {//连接点对象,让切面方法区分不同的业务方法String name = joinPoint.getSignature().getName();//获取方法名Object methodPrice = joinPoint.proceed();//获取方法返回值,要抛出异常System.out.println("【系统日志】调用" + name + "方法,返回值为:" + methodPrice);MethodSignature signature = (MethodSignature) joinPoint.getSignature();//获取方法签名LogAnnotation logAnnotation = signature.getMethod().getAnnotation(LogAnnotation.class);//获得方法上的注解对象String value = logAnnotation.value();//获取注解里的内容return joinPoint.proceed();}
}
4.在方法上加入自定义注解,来使用AOP
@RestController
@RequestMapping("/user")
@Slf4j
public class UserController {@Autowiredprivate UserService userService;@GetMapping("/{id}")@LogAnnotation("根据id查询员工信息")public Result<User> save(@PathVariable Integer id){User user = userService.getById(id);return Result.success(user);}
}
5.在启动类上加入@EnableTransactionManagement注解
@SpringBootApplication
@EnableTransactionManagement //开启注解方式的事务管理
@Slf4j
public class SkyApplication {public static void main(String[] args) {SpringApplication.run(SkyApplication.class, args);log.info("server started");}
}
到这里AOP的大部分内容就完事了,有不理解的可以评论区留言,感谢收看!!!