AOP面向切面设计AspectJ

1.什么是AOP:就是把我们某个方面的功能提出来与一批对象进行隔离,这样与一批对象之间降低了耦合性,就可以对某个功能进行编程。

2.AOP的应用:用户行为统计、权限管理等

3.AspectJ:是一种编译期的用注解形式实现的AOP,由专门的编译器用来生成遵守Java字节编码规范的Class文件

@Pointcut 切点

Advice注解

1 Before Advice:@Before

2.After returning advice:@AfterReturning,可在通知体内得到返回的实际值;

3.After throwing advice:@AfterThrowing

4.After (finally) advice : @After

  最终通知必须准备处理正常和异常两种返回情况,它通常用于释放资源。

5.Around advice :@Around

    环绕通知使用@Around注解来声明,通知方法的第一个参数必须是ProceedingJoinPoint类型,在通知内部调用ProceedingJoinPoint的Proceed()方法会导致执行真正的方法,传入一个Object[]对象,数组中的值将被作为一个参数传递给方法

面向切面编程好处是,代码不侵入,没有性能上的损耗,因为是编译时的注解

示例:

/**

* Created by Administrator on 2016/12/21 0021.

*/

@Target(ElementType.METHOD)

@Retention(RetentionPolicy.CLASS)

public @interface BehaviorTrace {

    String value();

    int type();

}


import android.os.SystemClock;

import android.util.Log;

import org.aspectj.lang.ProceedingJoinPoint;

import org.aspectj.lang.annotation.Around;

import org.aspectj.lang.annotation.Aspect;

import org.aspectj.lang.annotation.Before;

import org.aspectj.lang.annotation.Pointcut;

import org.aspectj.lang.reflect.MethodSignature;

import java.text.SimpleDateFormat;

import java.util.Date;

/**

* 切面

* 你想要切下来的蛋糕

*/

@Aspect

public class BehaviorAspect {

    private static final String TAG = "dongnao";

    SimpleDateFormat simpleDateFormat=new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");

    /**

    * 如何切蛋糕,切成什么样的形状

    * 切点

    */

    @Pointcut("execution(@com.example.administrator.dn_02_aop.BehaviorTrace  * *(..))")

    public void annoBehavior()

    {

    }

    /**

    * 切面

    * 蛋糕按照切点切下来之后  怎么吃

    * @param point

    * @return

    * @throws Throwable

    */

    @Around("annoBehavior()")

    public Object dealPoint(ProceedingJoinPoint point) throws  Throwable

    {

        //方法执行前

        MethodSignature methodSignature= (MethodSignature) point.getSignature();

        BehaviorTrace      behaviorTrace=methodSignature.getMethod().getAnnotation(BehaviorTrace.class);

        String contentType=behaviorTrace.value();

        int type=behaviorTrace.type();

        Log.i(TAG,contentType+"使用时间:  "+simpleDateFormat.format(new Date()));

        long beagin=System.currentTimeMillis();

        //方法执行时

        Object object=null;

        try {

            object=point.proceed();

        }catch (Exception e)

        {

        }

        //方法执行完成

        Log.i(TAG,"消耗时间:  "+(System.currentTimeMillis()-beagin)+"ms");

        return  object;

    }

}

public class test{

/**

    * 摇一摇的模块

    *

    * @param view

    */

    @BehaviorTrace(value = "摇一摇",type = 1)

    public  void mShake(View view)

    {

            SystemClock.sleep(3000);

            Log.i(TAG,"  摇到一个嫩模:  约不约");

    }

}

你可能感兴趣的:(AOP面向切面设计AspectJ)