Android-Fragment基础

Activity和Fragment生命周期的关系:

Fragment.png
  • onCreate()

    系统会在创建Fragment调用此方法

  • onCreateView()

    系统会在Fragment首次绘制其用户界面时调用此方法

  • onPause()

    系统将此方法作为用户离开Fragment的第一个信号

  • onAttach()

    在Fragment和Activity关联时调用

  • onActivityCreate()

    在Activity的onCreate()方法已返回时调用

  • onDestroyView()

    在移除与Fragment关联的视图层次结构时调用

  • onDetach()

    在取消Fragment和activity关联时调用

使用方法:

       FragmentManager fragmentManager = getSupportFragmentManager();
        FragmentTransaction transaction = fragmentManager.beginTransaction();
        RecyclerViewFragment f =  RecyclerViewFragment.newInstance();
        transaction.add(R.id.root,f).commit();

这里要特殊强调下FragmentTransaction中的commit()方法。

官方文档注释:

/**
 * Schedules a commit of this transaction.  The commit does
 * not happen immediately; it will be scheduled as work on the main thread
 * to be done the next time that thread is ready.
 *
 * 

A transaction can only be committed with this method * prior to its containing activity saving its state. If the commit is * attempted after that point, an exception will be thrown. This is * because the state after the commit can be lost if the activity needs to * be restored from its state. See {@link #commitAllowingStateLoss()} for * situations where it may be okay to lose the commit.

* * @return Returns the identifier of this transaction's back stack entry, * if {@link #addToBackStack(String)} had been called. Otherwise, returns * a negative number. */

从文档中我们可以看到,commit 方法并非一个立即执行的方法,他需要等待线程准备好了再执行(如果需要立即执行则调用executePendingTransactions())。

commit 方法必须要在 fragment 的容器 Activity 执行 onSavaInstance() 方法之前执行(onSaveInstanceState() 方法在 onStop() 方法之前执行,确保 Activity 因为各种原因被系统杀掉后能正确的保存和恢复状态,onSaveInstanceState() 方法 和 onPause() 方法之间没有必然的执行先后顺序),否则会抛出异常(IllegalStateException("Can not perform this action after onSaveInstanceState"))。因为在 Activity 执行了 onSaveInstanceState() 方法之后再执行 commit 方法的话,Fragment 的状态就丢失了,在官方看来这是很危险的,如果我们不在乎 Fragment 的状态的话,官方推荐使用 commitAllowingStateLoss() 方法。

注意事项:

  • 在 Activity 中调用 commit() 方法的时候,应该注意在 onCreate() 或者是在 FragmentActivity#onResume()/Activity#onPostResume() 中调用。后者是保证 Activity 的状态已经完全恢复,避免出现 IllegalStateException。

  • 避免在异步任务中调用 commit,因为异步任务不能确保Activity的状态,如果 Activity 已经调用 onStop() 方法,此时再 Commit() 就会报错。

  • 如果不在乎 Fragment 状态丢失,可以使用 commitAllowingStateLoss() 方法。

  • 同一个 transaction 中只能调用一次 commit()。

    @Override
    protected void onPostResume() {
        super.onPostResume();
        /**
         * ... commit fragment
         */
    }

    @Override
    protected void onResumeFragments() {
        super.onResumeFragments();
        /**
         * ...commit fragment
         */
    }

你可能感兴趣的:(Android-Fragment基础)