3

我目前正在进入 Android 3.0 Preview 的片段 API,并构建了以下最小编码:

我有一个 Activty,它应该嵌入 Fragment(s),目前实现如下:

public class Cockpit extends Activity {
/** Called when the activity is first created. */
@Override
public void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);
    setContentView(R.layout.cockpit);
}

public static class InfoFragment extends Fragment {
    @Override
    public View onCreateView(LayoutInflater inflater, ViewGroup container,
            Bundle savedInstanceState) {
        // Inflate the layout for this fragment

        ViewGroup infoFragmentRoot = (ViewGroup) getActivity().findViewById(
                R.id.infoFragmentRoot) ;

        return inflater.inflate(R.id.infoFragment, container, false);
    }
}

}

活动的对应布局:

<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:orientation="vertical"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
>
<fragment android:name="test.android.ui.cockpit.Cockpit$InfoFragment"
        android:id="@+id/infoFragment"
        android:layout_weight="1"
        android:layout_width="10dp"
        android:layout_height="match_parent" >
    <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" 
                 android:layout_height="match_parent" android:padding="12dp" android:id="@+id/infoFragmentRoot" >
        <TextView  
            android:layout_width="fill_parent" 
            android:layout_height="wrap_content" 
            android:text="@string/hello"
        />
    </LinearLayout>
</fragment>

现在,我不明白为什么内部类 InfoFragment 中的 onCreateView() 中的 ViewGroup 容器是空指针,我也不明白,为什么

ViewGroup infoFragmentRoot = (ViewGroup) getActivity().findViewById(
                R.id.infoFragmentRoot) ;

返回也为空。

感谢您的反馈。

4

2 回答 2

8

你这里有几个问题。首先,您不想在标签内添加<fragment>标签。将片段标签视为占位符。片段的 onCreateView() 方法负责定义片段的视图层次结构,而不是活动的布局 XML 文件。您可以做的是创建一个单独的布局 XML 文件来作为片段的布局。然后在 onCreateView() 内部,你获取传入的充气器,并执行以下操作:

    View v = inflater.inflate(R.layout.frag1, container, false);
    TextView text1 = (TextView) v.findViewById(R.id.text1);
    text1.setText( myTextData );
    return v;

请注意,inflate() 的附加参数是假的?Android 稍后会负责将返回的视图附加到您的容器中。

在片段获得 onActivityCreated() 回调之前,不能保证您的活动的视图层次结构存在。因此,获取 infoFragmentRoot 的尝试可能会在 onCreateView() 中返回 null。但是我什至不确定当该标签被埋在你的<fragment>.

在这种特殊情况下,您已将标签嵌入到活动的布局中,片段的 onInflate() 回调将使用标签中的其余属性调用。理论上,您可以将这些属性添加到片段上的参数包中,然后稍后在 onCreateView() 中检索这些值(使用 setArguments() 和 getArguments())。我说理论上是因为在处理配置更改(例如,从横向到纵向)的代码中似乎存在一个错误,导致在配置更改后重建片段时在 onCreateView()之后调用 onInflate()。请参阅缺陷报告http://code.google.com/p/android/issues/detail?id=14796

现在,我建议您将片段的布局提取到一个单独的布局 XML 文件(例如,frag1.xml),使用我上面的代码在 onCreateView() 中扩展该布局。并且不用担心传递给 onInflate() 的任何属性。

于 2011-02-18T01:56:33.413 回答
0

您也不想使用 onCreate 来实例化您的布局,所有这些都将在父活动中处理。保存捆绑包是我到目前为止所做的一切

于 2011-02-27T23:25:05.660 回答