某些業務場景下,為了提高使用者體驗,我們可能需要在前一個頁面就將下一個頁面的資料準備好,減少使用者後續操作的時間。因為Activity在設計上採用了低耦合,高度的隔離使得傳統的預載入Activity方案不夠優雅,現提供一種更加優雅的預載入方案,可以預先載入好佈局和頁面資料。
說明:因為庫使用的是kotlin開發,需要在專案設定kotlin開發環境
implementation 'com.zhangzheng.preloading.activity:library:1.0.0'
val intent = Intent(this,TestActivity::class.java)
intent.putExtra("id",1111)
PreLoading.preLoading(this,intent,TestPreLoadingView::class.java)
textView.setOnClickListener {
startActivity(intent)
}
預設情況下,當開啟預載入頁面後,頁面銷燬後,預載入的範例也會一起被銷燬。當下次再進行就需要重新載入佈局和資料,如果需要保留預載入的資料,多次重複使用,可以設定引數 autoDestroy = false ,如下:
PreLoading.preLoading(this,intent,TestPreLoadingView::class.java,false)
考慮到不同的專案使用的基礎類別Activity會有所不同,為了通用性,未直接客製化Activity,而是提供 AbsPreLoadingView 來通過組合的方式來實現。為了使用方便,這邊提供了一個繼承於Activity的基礎類別,實際使用中可以參考這個類來實現自己的基礎類別,如下:
abstract class AbsPreLoadingActivity : Activity() {
abstract fun preLoadingViewClass() : KClass<out AbsPreLoadingView>
private lateinit var preLoadingView: AbsPreLoadingView
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
preLoadingView =preLoadingViewClass().getOrCreate(intent, this)
setContentView(preLoadingView)
preLoadingView.callCreate(savedInstanceState)
}
override fun onStart() {
super.onStart()
preLoadingView.callStart()
}
override fun onResume() {
super.onResume()
preLoadingView.callResume()
}
override fun onPause() {
super.onPause()
preLoadingView.callPause()
}
override fun onStop() {
super.onStop()
preLoadingView.callStop()
}
override fun onDestroy() {
super.onDestroy()
preLoadingView.callDestroy()
}
override fun onActivityResult(requestCode: Int, resultCode: Int, data: Intent?) {
super.onActivityResult(requestCode, resultCode, data)
preLoadingView.onActivityResult(requestCode, resultCode, data)
}
}
class TestActivity : AbsPreLoadingActivity() {
override fun preLoadingViewClass() = TestPreLoadingView::class
}
class TestPreLoadingView(context: Context) : AbsPreLoadingView(context) {
override fun resId() = R.layout.activity_test_list
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
requestTestData(intent?.getIntExtra("id",0)?:0)
}
override fun onResume() {
super.onResume()
}
private fun requestTestData(id:Int){
Thread {
Thread.sleep(1000)
val listData = ArrayList<String>()
listData.add("$id === > 1")
listData.add("$id === > 2")
listData.add("$id === > 3")
listData.add("$id === > 4")
listData.add("$id === > 5")
listData.add("$id === > 6")
listData.add("$id === > 7")
listData.add("$id === > 8")
listData.add("$id === > 9")
listData.add("$id === > 10")
listData.add("$id === > 11")
listData.add("$id === > 12")
Handler(Looper.getMainLooper()).post {
listview.adapter = ArrayAdapter(context,android.R.layout.simple_list_item_1,listData)
}
}.start()
}
}