標籤:
通常地 fragment做為宿主activity UI的一部分, 被作為activity整個view hierarchy的一部分被嵌入. 有2種方法你能夠加入一個fragment到activity layout:
一、在activity的layout檔案裡聲明fragment 你能夠像為View一樣, 為fragment指定layout屬性(sdk3.0以後). 範例是一個有2個fragment的activity:
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:orientation="horizontal"
android:layout_width="match_parent"
android:layout_height="match_parent">
<fragment android:name="com.example.news.ArticleListFragment"
android:id="@+id/list"
android:layout_weight="1"
android:layout_width="0dp"
android:layout_height="match_parent" />
<fragment android:name="com.example.news.ArticleReaderFragment"
android:id="@+id/viewer"
android:layout_weight="2"
android:layout_width="0dp"
android:layout_height="match_parent" />
</LinearLayout>
<fragment> 中的 android:name 屬性指定了在layout中執行個體化的Fragment類.
當系統建立這個activity layout時, 它執行個體化每個在layout中指定的fragment,並調用每個上的onCreateView()方法,來擷取每個fragment的layout. 系統將從fragment返回的 View 直接插入到<fragment>元素所在的地方.
注意: 每個fragment都須要一個唯一的標識, 假設activity重新啟動,系統能夠用來恢複fragment(而且你也能夠用來捕獲fragment來處理事務,比如移除它.)
有3種方法來為一個fragment提供一個標識:
- 為 android:id 屬性提供一個唯一ID.
- 為 android:tag 屬性提供一個唯一字串.
- 假設以上2個你都沒有提供, 系統使用容器view的ID.
二、使用FragmentManager將fragment加入到一個已存在的ViewGroup.
當activity執行的不論什麼時候, 都能夠將fragment加入到activity layout.僅僅需簡單的指定一個須要放置fragment的ViewGroup.為了在你的activity中操作fragment事務(比如加入,移除,或取代一個fragment),必須使用來自 FragmentTransaction 的API.
能夠按例如以下方法,從你的Activity取得一個 FragmentTransaction 的執行個體:
FragmentManager fragmentManager = getFragmentManager();
FragmentTransaction fragmentTransaction = fragmentManager.beginTransaction();
然後你能夠使用 add() 方法加入一個fragment, 指定要加入的fragment, 和要插入的view.
ExampleFragment fragment = new ExampleFragment();
fragmentTransaction.add(R.id.fragment_container, fragment);
fragmentTransaction.commit();
add()的第一個參數是fragment要放入的ViewGroup, 由resource ID指定, 第二個參數是須要加入的fragment.一旦用FragmentTransaction做了改變,為了使改變生效,必須調用commit(). /**
* @author 張興業
* 郵箱:xy-zhang#163.com
* android開發進階群:278401545
*
*/
Android Fragment使用