本文系作者原创,转载请注明出处:http://www.cnblogs.com/further-further-further/p/7867034.html
解决问题
1、拥有前置通知和后置通知的功能,并能解决前置通知和后置通知在共享信息方面的不足(例如:统计切点方法执行时间);
2、在多线程并发条件下,能保证线程安全(因为在一个方法内定义的局部变量);
3、解决代码重复性,降低代码复杂程度;
内容说明
1、以下会给出前置通知、后置通知与环绕通知实例(观众观看表演),通过对比更能理解彼此之间的区别;
2、两者都通过@Component注解,扫描(Audience,Juggler)bean并注册到spring容器中时,需在XML配置文件中引入component-scan(前后置通知:<context:component-scan base-package="com.spring.example.aspectAspectJNoArgs"/> 环绕通知:<context:component-scan base-package="com.spring.example.aspectAround"/>)
3、切面是观众(Audience),切点是节目表演(Performance.perform())
前置通知:在节目表演之前,观众就坐(调用Audience的takeSeats方法),并关掉手机(调用Audience的turnOffCellPhones方法);
后置通知:在节目表演结束,观众鼓掌(调用Audience的applaud方法);
异常通知:节目表演出现异常,观众要求退票(调用Audience的demandRefund方法);
环绕通知:其他与上面相同,只是在节目表演开始与结束时打印时间,统计节目表演时长;
4、通过执行Juggler的perform方法,从而执行切面Audience中相应的方法,达到通知的效果;
应用实例:观众观看表演所做出的相应行为
先列出相关接口以及类代码
节目表演接口(切点方法)
1 package com.spring.example.aspectAround; 2 3 /** 4 * Created by weixw on 2017/11/16. 5 */ 6 public interface Performer { 7 8 void perform(); 9 }
切点类实现接口Juggler
1 package com.spring.example.aspectAround; 2 3 import org.springframework.stereotype.Component; 4 5 /** 6 * Created by weixw on 2017/11/16. 7 */ 8 @Component 9 public class Juggler implements Performer { 10 private int beanBags = 3; 11 public Juggler(){ 12 13 } 14 public Juggler(int beanBags){ 15 this.beanBags = beanBags ; 16 } 17 @Override 18 public void perform() { 19 System.out.println("JUGGLING "+ beanBags + " BEANBAGS"); 20 try { 21 Thread.sleep(1); 22 }catch (InterruptedException e){ 23 e.printStackTrace(); 24 } 25 } 26 27 28 }
上述代码都能共用,下面分别列举前后置通知与环绕通知区别代码
前后置通知(通过AspectJ注解实现,注意:<aop:aspectj-autoproxy/>不能少,它实现了切面相关方法绑定在切点上,切点方法执行就能触发相应通知)
XML配置文件:spring/aspect-aspectJnoArgs.xml(放在spring文件夹下)
1 <?xml version="1.0" encoding="UTF-8"?> 2 <beans xmlns="http://www.springframework.org/schema/beans" 3 xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 4 xmlns:aop="http://www.springframework.org/schema/aop" 5 xmlns:context="http://www.springframework.org/schema/context" 6 xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop.xsd http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context.xsd"> 7 8 <!--使用前置通知和后置通知唯一方式:在前置通知中记录开始时间,并在后置通知中报告表演耗费的时长,必须保存开始时间。因为Audience是单例,如果像这样保--> 9 <!--存状态,会存在线程安全问题;--> 10 <context:component-scan base-package="com.spring.example.aspectAspectJNoArgs"/> 11 <aop:aspectj-autoproxy/> 12 </beans>