单个页面含有多个Fragment可能产生的视图重叠解决方案
问题描述
我们在使用Fragment的过程中,有时会发现一直表现正常的Fragment,突然视图重叠在一起了!这是因为Fragment使用的是add方式,而且这种方式如果处理不好是很容易造成重叠事故, 因为系统本身会去处理页面状态的保存, 待我们重新回到该页面时, 我们自己的初始化碎片与系统恢复页面会产生一种重复添加现象.那是不是可以使用replace方式呢?不建议这么做, 因为replace方式效率偏低, add只需添加一次,通过控制show,hide操作, 效率更高
快速复现
进入设置-->开发者选项-->不保留活动(开启)
此选项一旦开启, 用户进入后台或者切换页面都会触发页面被系统回收,系统本身会保存该页面的相关数据.
具体是Activity的onSaveInstanceState()方法, 该方法会在Activity将要被kill的时候回调(例如进入后台、屏幕旋转前、跳转下一个Activity等情况下会被调用)系统帮我们保存一个Bundle类型的数据,我们可以根据自己的需求,手动保存一些例如播放进度等数据,而后如果发生了页面重启,我们可以在onRestoreInstanceState()或onCreate()里get该数据,从而恢复播放进度等状态。
而产生Fragment重叠的原因就与这个保存状态的机制有关,大致原因就是系统在页面重启前,帮我们保存了Fragment的状态,但是在重启后恢复时,视图的可见状态没帮我们保存,而Fragment默认的是show状态,所以产生了Fragment重叠现象。
解决方案
在页面销毁时需要保存当前的Fragment索引, 待到页面重新恢复时重新取出该索引值,进行页面恢复
//缓存当前Tab的选中下标
public static final String BUNDLE_CACHE_INDEX_KEY = "bundle_cache_index_key";
//fragment缓存标签
public static final String FRAGMENT_TAG = "fragment_tag";
//记录当前fragment索引
private int curIndex = -1;
@Override
protected void onSaveInstanceState(Bundle outState) {
outState.putInt(BUNDLE_CACHE_INDEX_KEY, curIndex);
super.onSaveInstanceState(outState);
}
在onCreate回调中初始化fragment
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreated(savedInstanceState);
// 首先获取是否有缓存
curIndex = savedInstanceState.getInt(BUNDLE_CACHE_INDEX_KEY, curIndex);
// 如果已经添加过fragment, 需要隐藏操作
FragmentTransaction transaction = getSupportFragmentManager().beginTransaction();
for (int index = 0; index < 2; index++) {
Fragment fragment = getSupportFragmentManager().findFragmentByTag(FRAGMENT_TAG + index);
if (null != fragment) {
transaction.hide(fragment);
}
}
transaction.commitAllowingStateLoss();
// 初始化真正需要展示的fragment
switchFragment(-1 == curIndex ? 0 : curIndex);
}
初始化fragment的显示, 确保是唯一的,没有重复添加
public void switchFragment(int index) {
//add Fragment时一定要给一个tag, 方便后续判断是否已经添加过
String tag = FRAGMENT_TAG + index;
Fragment fragment = getSupportFragmentManager().findFragmentByTag(tag);
FragmentTransaction transaction = getSupportFragmentManager().beginTransaction();
boolean deprecated = null == fragment ||
fragment.getArguments().getBoolean(FragmentBase.FRAG_ARG_DEPRECATED);
switch (index) {
case 0:
if (deprecated) {
fragment = AFragment.newInstance();
transaction.add(R.id.fl_content, fragment, tag);
}
break;
case 1:
if (deprecated) {
fragment = BFragment.newInstance();
transaction.add(R.id.fl_content, fragment, tag);
}
break;
}
if (-1 != curIndex) {
transaction.hide(getSupportFragmentManager().findFragmentByTag(FRAGMENT_TAG + curIndex));
}
transaction.show(fragment);
transaction.commitAllowingStateLoss();
curIndex = index;
}
好了, 这样处理之后就可以确保不会出现重叠情形