如何以原子方式使用两个 NotifyDataSetChanged()

How to use Two NotifyDataSetChanged() Atomically

总结一下我的问题:

我有一个项目列表和一个按钮,单击它可以查询 API

当我点击按钮时,调用了两个方法。第一种方法显示进度条,清空列表,使用notifyDataSetChanged()

public void methodOne(){
      mProgressBar.setVisibility(View.VISIBLE);
      mList.clear;
      mAdapter.notifyDataSetChanged();
}

第二种方法使用retrofit进行查询,在回调方法中隐藏进度条,添加到列表中调用notifyDataSetChanged();

public void methodTwo(){
      RetrofitInterfaces.SearchForPosts service = RetrofitClientInstance.getRetrofitInstance()
                .create(RetrofitInterfaces.SearchForPosts.class);
        Call<Feed> call = service.listRepos(url);
        call.enqueue(new Callback<Feed>() {
            @Override
            public void onResponse(@NonNull Call<Feed> call, @NonNull Response<Feed> response) {
               
                try{

                   mProgressBar.setVisibility(View.INVISIBLE);
                   mList.addAll(response.body().getData()); 
                   mAdapter.notifyDataSetChanged();

                } catch(Exception e){
                   Log.e(TAG, "Error: " + e);
                }
                
            }

            @Override
            public void onFailure(@NonNull Call<Feed> call, @NonNull Throwable t) {
                Log.e(TAG, "onFailure: " + t);
     
            }
        });
    }

}

我的问题是当我接连调用这两个时:

methodOne();
methodTwo();

第二种带有改造调用的方法 有时 returns 一个 IndexOutOfBounds 异常,因为 methodOne() 在我调用 mList.clear()mAdapter.notifyDataSetChanged(); 时对 mList 进行编辑。

我的问题是如何让这两者自动发生,这样它们就不会相互干扰? (我希望 methodOne() 甚至在 methodTwo 中发生查询之前就完成所有操作)

您可以使用 AsyncTask,它会在 methodOne() 完成执行时执行 methodTwo()

private class MethodsTask extends AsyncTask<Void, Void, Void> {
    @Override
    protected Void doInBackground(Void... voids) {
        methodOne();
        return null;
    }

    @Override
    protected void onPostExecute(Void aVoid) {
        super.onPostExecute(aVoid);
        methodTwo();
    }
}

所以不用调用这两个方法

methodOne();
methodTwo();

使用这个

MethodsTask task = new MethodsTask();
task.execute();