FragmentPagerAdapter刷新数据原理分析与解决

我在做一个页面的时候,viewpager + 3个fragment来实现,因适配器是使用FragmentPagerAdapter。后来我发现一个问题,当我离开这个界面,再重新进入的时候,这个界面的数据没有刷新。用平常的adapter刷新数据的方法对此没有效果,我想肯定是instantiateItem()方法有问题,于是我就看看FragmentPagerAdapter的源码。

instantiateItem() 的源码是这样的:

@Override
    public Object instantiateItem(ViewGroup container, int position) {
        if (mCurTransaction == null) {
            mCurTransaction = mFragmentManager.beginTransaction();
        }

        final long itemId = getItemId(position);

        // Do we already have this fragment?
        String name = makeFragmentName(container.getId(), itemId);
        Fragment fragment = mFragmentManager.findFragmentByTag(name);
        if (fragment != null) {
            if (DEBUG) Log.v(TAG, "Attaching item #" + itemId + ": f=" + fragment);
            mCurTransaction.attach(fragment);
        } else {
            fragment = getItem(position);
            if (DEBUG) Log.v(TAG, "Adding item #" + itemId + ": f=" + fragment);
            mCurTransaction.add(container.getId(), fragment,
                    makeFragmentName(container.getId(), itemId));
        }
        if (fragment != mCurrentPrimaryItem) {
            fragment.setMenuVisibility(false);
            fragment.setUserVisibleHint(false);
        }

        return fragment;
    }
注意看其中的这三行:

final long itemId = getItemId(position);

        // Do we already have this fragment?
        String name = makeFragmentName(container.getId(), itemId);
        Fragment fragment = mFragmentManager.findFragmentByTag(name);
fragment是通过findFragmentByTag(name)来获取,name则是通过makeFragmentName()来得出,makeFragmentName()中的参数有一个itemId, 这个itemId则是通过getItemId()来获得。就是说获取fragment和这个getItemId()有关系!

我们看看getItemId()的源码:

public long getItemId(int position) {
        return position;
    }
直接返回一个position,我打印了一下
07-23 12:10:04.277 9915-9915/com.liu.sportnews D/aaa: 0
07-23 12:10:04.277 9915-9915/com.liu.sportnews D/aaa: 1
07-23 12:10:07.893 9915-9915/com.liu.sportnews D/aaa: 0
07-23 12:10:07.893 9915-9915/com.liu.sportnews D/aaa: 1
07-23 12:10:11.928 9915-9915/com.liu.sportnews D/aaa: 0
07-23 12:10:11.928 9915-9915/com.liu.sportnews D/aaa: 1
我的fragment一共有3个,无论我重新进入多少次,每一次返回的position都是前两个fragment的position。看到这里是不是恍然大悟?!

没错,由于getItemId每一次都返回同一个值,因此name每一次都是同一个,所以获取的fragment都是旧的fragment。

解决方法:只要让getItemId每一次都返回不同的值就行了

@Override
        public long getItemId(int position) {
            int hashCode = mFragmentList.get(position).hashCode();
            return hashCode;
        }
在这里我用hashCode,也可以有其他方式。

*****************

如今我却发现一个问题,上述这种方式,却会使得每一次重新进入fragment时,都会使fragment重新走一次生命周期,这样会影响性能,可能会造成卡顿。要怎么解决呢?知道的朋友留个言

你可能感兴趣的:(Android基础知识)