AOP實際開發工做比較經常使用,在此使用註解方式加深對面向切面編程的理解html
廢話很少少,先看下面的實例代碼java
場景:spring
1.未滿一歲的小孩,在執行方法以前打印:「尚未滿一歲,不會說話」,在執行方法以後打印:「請多多關注我!」編程
2.大於一歲的小孩,在執行方法以前打印:「你們好,個人名字叫: "+ baby.getName() + "我今年 "+ baby.getAge() +" 歲了!」,在執行方法以後打印:「請多多關注我!」app
切面類:定義切點和切面方法函數
@Aspect @Component public class CheckAgeAspect { @Autowired Baby baby; @Pointcut("@annotation(com.mb.util.CheckAge)") //@annotation聲明以註解的方式來定義切點 public void checkDataPoint(){ } @Before("checkDataPoint()") //前置通知 public void checkBefore(){ if (baby.getAge() <= 1) { System.out.println("尚未滿一歲,不會說話"); }else { System.out.println("你們好,個人名字叫: "+ baby.getName() + "我今年 "+ baby.getAge() +" 歲了!"); } } @After("checkDataPoint()") //後置通知 public void checkAfter(){ System.out.println("請多多關注我!"); } } /** after returning 目標方法返回時執行 ,後置返回通知 after throwing 目標方法拋出異常時執行 異常通知 around 在目標函數執行中執行,可控制目標函數是否執行,環繞通知 以上三種通知使用上基本雷同不舉例了 **/
註解方法:使用註解的方式來定義,在目標方法上面標註該註解post
@Target(ElementType.METHOD) //定義註解的使用範圍爲方法 @Retention(RetentionPolicy.RUNTIME ) public @interface CheckAge { }
目標類測試
@Data //須要導入import lombok.Data; 經過註解搞定getter和setter @Component public class Baby { private int age; private String name; @CheckAge public void say(){ System.out.println("執行目標方法"); } }
applicationContext.xml url
<?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:context="http://www.springframework.org/schema/context" xmlns:aop="http://www.springframework.org/schema/aop" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-3.0.xsd http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context-3.0.xsd http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop.xsd"> <context:component-scan base-package="com.mb"></context:component-scan> <!--項目包掃描-->
<aop:aspectj-autoproxy proxy-target-class="false"></aop:aspectj-autoproxy> <!--使用註解的方式,須要添加該標籤,它會調用AspectJAutoProxyBeanDefinitionParser的parse來解析; proxy-target-class爲true則是基於類的代理將起做用(須要cglib庫),爲false或者省略這個屬性,則標準的JDK 基於接口的代理將起做用,通常採用後者,由於前者效率高-->
</beans>
測試類:spa
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(locations = {"classpath*:**/applicationContext*.xml"})
public class DemoTest {
@Autowired
Baby person;
@Test
public void demoTest(){
person.setAge(3);
person.setName("美美");
person.say();
}
}
執行結果:
你們好,個人名字叫: 美美我今年 3 歲了!執行目標方法請多多關注我!