Android Jetpack-Paging 사용 설명
Jetpack 의 물건 도 많 고,
오늘 은 이것 만 할 게 요. Paging
Paging 의 등장 은 목록 의 페이지 로 불 러 오 는 것 입 니 다.사실 지금 은 매우 성숙 하고 효율 적 인 오픈 소스 목록 에 컨트롤 을 불 러 왔 습 니 다.예 를 들 어 Smartfrefresh layot 등 입 니 다.그러나 구 글 이 내 놓 은 것 은 약간의 한계 가 있 을 수 밖 에 없다.물론 한계 도 있다.
장점 부터 말씀 드 리 겠 습 니 다.Paging 의 사용 은 ViewModle,LiveData 등 컨트롤 에 맞 춰 데이터 요청 이 페이지 의 수명 주 기 를 감지 하고 연결 하여 메모리 누 출 을 피해 야 합 니 다.DataSource 와 DataSource 를 연결 하 는 Factory 도 필요 합 니 다.흔적 없 이 더 많은 데 이 터 를 불 러 와 사용자 체험 을 어느 정도 향상 시 킬 수 있 습 니 다.
주요 절 차 는:
1:Positional DataSource 를 사용자 정의 합 니 다.데이터 페이지 요청 을 하 는 기능 이 있 습 니 다.
2:사용자 정의 DataSource.Factory,PositionalDataSource 를 LiveData 에 연결
3:Activity 사용자 정의 ViewModel,Positional DataSource 와 Factory 를 연결 하여 ViewModel 이 데이터 의 변 화 를 감지 하도록 합 니 다.
4:ViewModel 감지 데이터 변경 및 업데이트 PagedListAdapter 의 submitList.
그 의존 도 를 가 져 오 는 것 을 가장 먼저 봅 니 다:
implementation "androidx.paging:paging-runtime:3.0.0-alpha04"
implementation 'androidx.recyclerview:recyclerview:1.1.0'
implementation 'com.squareup.retrofit2:retrofit:2.9.0'
implementation "android.arch.lifecycle:extensions:1.1.1"
【1】Activity 코드 먼저 보기:
class MainActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
val myPagedListAdapter = MyPagedListAdapter()
recyclerView.layoutManager = LinearLayoutManager(this)
recyclerView.adapter = myPagedListAdapter
/**
* ViewModel Activity
* */
val myViewModel = ViewModelProviders.of(this).get(MyViewModel::class.java)
/**
* ViewModel , Adapter
* */
myViewModel.getConvertList().observe(this, Observer {
myPagedListAdapter.submitList(it)
})
}
}
【2]어댑터 코드 보기:여기 서 사용 해 야 할 것 은 Paged ListAdapter 입 니 다.사실은 RecyclerView.Adapter 를 계승 한 것 이기 때문에 RecyclerView.Adapter 와 크게 다 르 지 않 습 니 다.내부 에 DiffUtil.ItemCallback 이 필요 합 니 다.구체 적 인 DiffUtil.ItemCallback 의 원 리 는 여기 서 말 하지 않 고 블 로 거들 도 자세히 연구 하지 않 았 으 며 데 이 터 를 비교 하 는 데 사용 되 었 다.그 내부 실현 방법 도 기본적으로 죽음 이 라 고 쓸 수 있다.
class MyPagedListAdapter extends PagedListAdapter<MyDataBean, MyViewHolder> {
private static DiffUtil.ItemCallback<MyDataBean> DIFF_CALLBACK =
new DiffUtil.ItemCallback<MyDataBean>() {
@Override
public boolean areItemsTheSame(MyDataBean oldConcert, MyDataBean newConcert) {
// Item , Bean hashCode
return oldConcert.hashCode() == newConcert.hashCode();
}
@Override
public boolean areContentsTheSame(MyDataBean oldConcert,
MyDataBean newConcert) {
//
return oldConcert.equals(newConcert);
}
};
public MyPagedListAdapter() {
// DiffUtil.ItemCallback
super(DIFF_CALLBACK);
}
@NonNull
@Override
public MyViewHolder onCreateViewHolder(@NonNull ViewGroup parent, int viewType) {
View inflate = LayoutInflater.from(parent.getContext()).inflate(R.layout.item_my, parent, false);
return new MyViewHolder(inflate);
}
@Override
public void onBindViewHolder(@NonNull MyViewHolder holder, int position) {
// getItem() PagedListAdapter , Item
holder.bindData(getItem(position));
}
}
그리고 뷰 홀더 랑... MyDataBean 붙 여 주세요.ViewHolder :
class MyViewHolder(val itemV: View) : RecyclerView.ViewHolder(itemV) {
fun bindData(data: MyDataBean) {
itemV.findViewById<TextView>(R.id.tvNum).text = data.position.toString()
if (data.position % 2 == 0){
itemV.findViewById<TextView>(R.id.tvNum).setBackgroundColor(itemV.context.resources.getColor(R.color.colorAccent))
}else{
itemV.findViewById<TextView>(R.id.tvNum).setBackgroundColor(itemV.context.resources.getColor(R.color.colorPrimaryDark))
}
}
}
MyDataBean :
data class MyDataBean(val position: Int)
【3]DataSource 코드 보기:Positional DataSource 의 기능 은 데이터 페이지 요청 입 니 다.
두 가지 방법 이 필요 합 니 다.
loadInitial():페이지 를 처음 열 려 면 이 방법 으로 데 이 터 를 가 져 와 야 합 니 다.
loadRange(): 초기 화 된 데이터 가 있 으 면 미 끄 러 질 때 데 이 터 를 불 러 올 필요 가 있 으 면 이 방법 을 사용 합 니 다.
class MyDataSource : PositionalDataSource<MyDataBean>() {
/**
* ,
* */
override fun loadInitial(params: LoadInitialParams, callback: LoadInitialCallback<MyDataBean>) {
//
val list = getData(params.requestedStartPosition, params.pageSize)
/**
* , ViewModel 。
* @param1
* @param2
* @param3 , , 50,
* 50 , loadRange()
* , Int 999999999
* 10000
* */
callback.onResult(list, 0, 10000)
}
/**
* , , 。
* */
override fun loadRange(params: LoadRangeParams, callback: LoadRangeCallback<MyDataBean>) {
/**
* params.startPosition startPosition
* params.loadSize startPosition loadSize
* */
val list = getData(params.startPosition, params.loadSize)
callback.onResult(list)
}
/**
*
* */
private fun getData(startPosition: Int, pageSize: Int): MutableList<MyDataBean> {
Handler(Looper.getMainLooper()).post {
Toast.makeText(
MyApplication.instant,
" $startPosition ${startPosition + pageSize}",
Toast.LENGTH_SHORT
).show()
}
val list = mutableListOf<MyDataBean>()
for (i in startPosition until startPosition + pageSize) {
list.add(MyDataBean(i))
}
return list
}
}
【4】DataSource.Factory 코드 보기:Positional DataSource 를 LiveData 에 연결 하기
class DataFactory: DataSource.Factory<Int, MyDataBean>() {
private val mSourceLiveData: MutableLiveData<MyDataSource> =
MutableLiveData<MyDataSource>()
override fun create(): DataSource<Int, MyDataBean> {
val myDataSource = MyDataSource()
mSourceLiveData.postValue(myDataSource)
return myDataSource
}
}
【5]마지막 으로 ViewModel 코드 보기:
class MyViewModel : ViewModel() {
private var mDataSource : DataSource<Int, MyDataBean>
private var mDataList: LiveData<PagedList<MyDataBean>>
init {
// PositionalDataSource Factory , ViewModel
var dataFactory = DataFactory()
mDataSource = dataFactory.create()
/**
* @param1 dataFactory dataFactory
* @param2
* PositionalDataSource loadSize
* */
mDataList = LivePagedListBuilder(dataFactory, 20).build()
}
// , Activity , Adapter
fun getConvertList(): LiveData<PagedList<MyDataBean>> {
return mDataList
}
}
[5]마지막 으로 봐 주세요. Activity 코드:
class MainActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
val myPagedListAdapter = MyPagedListAdapter()
recyclerView.layoutManager = LinearLayoutManager(this)
recyclerView.adapter = myPagedListAdapter
/**
* ViewModel Activity
* */
val myViewModel = ViewModelProviders.of(this).get(MyViewModel::class.java)
/**
* ViewModel , Adapter
* */
myViewModel.getConvertList().observe(this, Observer {
myPagedListAdapter.submitList(it)
})
}
}
붙이다 activity_main.xml 코드
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
tools:context=".MainActivity">
<androidx.recyclerview.widget.RecyclerView
android:id="@+id/recyclerView"
android:layout_width="0dp"
android:layout_height="0dp"
app:layout_constraintLeft_toLeftOf="parent"
app:layout_constraintRight_toRightOf="parent"
app:layout_constraintTop_toTopOf="parent"
app:layout_constraintBottom_toBottomOf="parent">
</androidx.recyclerview.widget.RecyclerView>
</androidx.constraintlayout.widget.ConstraintLayout>
실행 해 보 세 요.효과 보기:실행 에 성공 하 였 습 니 다.문제 없습니다.
처음에 Paging 이 단점 이 있다 고 말 했 지만 사실은 Paging 은 드 롭 다운 새로 고침 이 없고 위로 끌 어 올 리 는 것 만 더 많은 기능 을 불 러 옵 니 다.이것 은 많은 목록 의 장 소 를 만족 시 키 지 못 한다.
하지만 추가 로드 만 필요 하 다 면 Paging 은 Google 에서 제공 하 는 것 이 므 로 추천 합 니 다.
위의 코드 친 측 은 문제 가 없 으 니 문제 가 있 으 면 메 시 지 를 남 겨 주세요.
코드 주소:https://github.com/LeoLiang23/PagingDemo.git
안 드 로 이 드 Jetpack-Paging 의 사용 에 대한 자세 한 설명 은 여기까지 입 니 다.안 드 로 이 드 Jetpack Paging 에 관 한 더 많은 내용 은 예전 의 글 을 검색 하거나 아래 의 관련 글 을 계속 찾 아 보 세 요.앞으로 도 많은 응원 부 탁 드 리 겠 습 니 다!
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
Bitrise에서 배포 어플리케이션 설정 테스트하기이 글은 Bitrise 광고 달력의 23일째 글입니다. 자체 또는 당사 등에서 Bitrise 구축 서비스를 사용합니다. 그나저나 며칠 전 Bitrise User Group Meetup #3에서 아래 슬라이드를 발표했...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.