概念
android中的类都是java文件,系统编译我们写的代码时,会先把java文件编译成.class文件,aop编程就是在java文件编译成.class文件的过程中,向java文件中添加了一些额外的处理.
我们把添加额外处理的地方称为切入点
把添加的处理内容称为面
把添加额外处理的操作称为面向切面编程,即aop编程
使用
aspect方式实现
https://github.com/chengdongba/Aspect
- 添加依赖
modle的dependencies中
implementation 'org.aspectj:aspectjrt:1.9.4'
工程的dependencies中
classpath 'org.aspectj:aspectjtools:1.9.4'
- 添加自定义注解,定义切入点
/**
* 用来表示性能监控
*/
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface BehaviorTrace {
String value();
}
- 添加额外的处理类,即添加面
@Aspect
public class BehaviorTraceAspect {
//定义切面的规则
//1、就再原来的应用中那些注解的地方放到当前切面进行处理
//execution(注解名 注解用的地方)
@Pointcut("execution(@com.dqchen.aspect.annotation.BehaviorTrace * *(..))")
public void methodAnnottatedWithBehaviorTrace() {
}
//2、对进入切面的内容如何处理
//@Before 在切入点之前运行
// @After("methodAnnottatedWithBehaviorTrace()")
//@Around 在切入点前后都运行
@Around("methodAnnottatedWithBehaviorTrace()")
public Object weaveJoinPoint(ProceedingJoinPoint joinPoint) throws Throwable {
MethodSignature methodSignature = (MethodSignature) joinPoint.getSignature();
String className = methodSignature.getDeclaringType().getSimpleName();
String methodName = methodSignature.getName();
String value = methodSignature.getMethod().getAnnotation(BehaviorTrace.class).value();
long begin = System.currentTimeMillis();
Object result = joinPoint.proceed();
SystemClock.sleep(new Random().nextInt(2000));
long duration = System.currentTimeMillis() - begin;
Log.d("alan", String.format("%s功能:%s类的%s方法执行了,用时%d ms",
value, className, methodName, duration));
return result;
}
}
- 在原来的java代码中,找到需要添加额外处理的地方,加上2中定义的注解
//语音消息
@BehaviorTrace("语音消息")
public void mAudio(View view) {
Log.d("dn","123123132");
}
//视频通话
@BehaviorTrace("视频通话")
public void mVideo(View view) {
}
//发表说说
@BehaviorTrace("发表说说")
public void saySomething(View view) {
}
proxy方式
https://github.com/chengdongba/AopProxy
- 切入点,切入面
定义要代理的接口,接口中定义要插入的方法
public interface ILogin {
void toLogin();
}
- 插入
在要切入的类中得到接口的代理类
proxyLogin = (ILogin) Proxy.newProxyInstance(
this.getClassLoader(), //类加载器
new Class[]{ILogin.class}, //需要代理的类
new MyHandler(this, this)//代理InvocationHandler
);
在InvocationHandler中重写invoke方法,拦截代理类中的方法,并添加要切入的代码
@Override
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
Object result = null;
if (ShadPreferenceUtil.getBooleanSp(ShadPreferenceUtil.IS_LOGIN,context)){
result = method.invoke(target,args);
}else {
Intent intent = new Intent(context,LoginActivity.class);
context.startActivity(intent);
}
return result;
}
在要插入的方法中,调用代理类的方法
/**
* 我的淘宝
* @param view
*/
public void me(View view) {
proxyLogin.toLogin();
}