概念
android中的類都是java文件,系統(tǒng)編譯我們寫的代碼時,會先把java文件編譯成.class文件,aop編程就是在java文件編譯成.class文件的過程中,向java文件中添加了一些額外的處理.
我們把添加額外處理的地方稱為切入點
把添加的處理內(nèi)容稱為面
把添加額外處理的操作稱為面向切面編程,即aop編程
使用
aspect方式實現(xiàn)
https://github.com/chengdongba/Aspect
- 添加依賴
modle的dependencies中
implementation 'org.aspectj:aspectjrt:1.9.4'
工程的dependencies中
classpath 'org.aspectj:aspectjtools:1.9.4'
- 添加自定義注解,定義切入點
/**
* 用來表示性能監(jiān)控
*/
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface BehaviorTrace {
String value();
}
- 添加額外的處理類,即添加面
@Aspect
public class BehaviorTraceAspect {
//定義切面的規(guī)則
//1祠丝、就再原來的應(yīng)用中那些注解的地方放到當前切面進行處理
//execution(注解名 注解用的地方)
@Pointcut("execution(@com.dqchen.aspect.annotation.BehaviorTrace * *(..))")
public void methodAnnottatedWithBehaviorTrace() {
}
//2尺借、對進入切面的內(nèi)容如何處理
//@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方法執(zhí)行了胯究,用時%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) {
}
//發(fā)表說說
@BehaviorTrace("發(fā)表說說")
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;
}
在要插入的方法中,調(diào)用代理類的方法
/**
* 我的淘寶
* @param view
*/
public void me(View view) {
proxyLogin.toLogin();
}