前言
性能优化的方向之一就是计算方法的耗时,去分析初始化所耗时间是否和预期差不多。耗时计算方法可以分为手动打点和AOP打点,手动打点可以查看Android性能优化之App启动优化,本文主要讲述的是AOP打点方法。
一、什么是AOP?
AOP为Aspect Oriented Programming的缩写,意为:面向切面编程,通过预编译方式和运行期间动态代理实现程序功能的统一维护的一种技术。利用AOP可以对业务逻辑的各个部分进行隔离,从而使得业务逻辑各部分之间的耦合度降低,提高程序的可重用性,同时提高了开发的效率。
OOP、AOP都是编程思想,没有具体的语言实现。我们可以从看问题的角度去理解OOP和AOP,OOP是将属性、细节封装成对象,可以称之为模块化。而AOP是将需要统一处理的事务集中起来做处理,例如在某个相同的方法前都需要做一件事(打印日志),做这件事其实就是AOP编程思想的体现。使用AOP去处理问题有以下两点好处:
1.针对同一类问题统一处理(例如性能问题,需要在所有Activity的Oncreate方法中进行打点)
2.无侵入添加代码(手动打点侵入性强)
二、如何使用AOP?
Android中我们常用的AOP的框架是AspectJ,集成步骤如下:
1.插件引用
在项目根目录的build.gradle里依赖AspectJX
dependencies {
classpath 'com.hujiang.aspectjx:gradle-android-plugin-aspectjx:2.0.8'
}
2.添加到包含有AspectJ代码的module.
implementation 'org.aspectj:aspectjrt:1.8.+'
3.在app项目的build.gradle里应用插件
apply plugin: 'android-aspectjx'
//或者这样也可以
apply plugin: 'com.hujiang.android-aspectjx'
三、AspectJ相关知识点
JoinPoints
程序运行时的执行点,可以作为切面的地方,例如:
1.函数调用、执行的地方
2.获取、设置变量
3.类初始化
PointCut
带条件的JoinPoints,通过设置条件筛选出我们需要的切面。
Advice
插入代码的位置。常用的三种语法类型:
1.Before:PointCut之前执行
2.After:PointCut之后执行
3.Around:PointCut之前之后分别执行
语法介绍
@Before("execution(* android.app.Activity.on**(..))")
public void onActivityCalled(JoinPoint joinPoint) throw Throwable{
//todo
}
1.Before
:Advice,具体插入位置
2.execution
:处理Join Point的类型,例如:call、execution。
call
在方法调用的地方插入
class MainActivity() {
//调用方法的地方插入
Log.d("msg","before insert")
init()
Log.d("msg","after insert")
}
execution
在方法内部插入
class MainActivity : AppCompatActivity() {
//调用方法
init()
}
private fun init() {
//方法内部插入
Log.d("msg","before insert")
//TODO 搞事情
Log.d("msg","after insert")
}
3.android.app.Activity.on**(..)
:*
表示的是返回值它的意思是可以任意返回值,匹配所有android.app.Activity.on
开头的方法,(..)
表示无论有无参数都进行匹配
4.onActivityCalled
:要插入的代码。
四、AOP实践
如何取得联系?
使用@Aspect
注解定义文件就可以让AspectJ在编译期自动去解析文件。
@Aspect
class PerformanceAop {
@Around("call(* com.example.myapplication.MyApplication.**(..))")
fun getTime(joinPoint: ProceedingJoinPoint) {
val signature = joinPoint.signature
val time = System.currentTimeMillis()
joinPoint.proceed()
Log.d("msg---" + signature.name, "${System.currentTimeMillis() - time}MS")
}
}
class MyApplication() : Application() {
override fun onCreate() {
super.onCreate()
initBugly()
initUmeng()
initBaidu(false);
}
private fun initBaidu(b: Boolean) {
Thread.sleep(100)
}
private fun initUmeng() {
Thread.sleep(200)
}
private fun initBugly() {
Thread.sleep(300)
}
}
执行结果:
joinPoint.proceed()手动执行一次代码,Around与Before、After不同点就在于此。我们可以在切面执行之前和之后做一些事(计算方法执行时间)。
网友评论