从文档中,
Because each fragment defines its own layout and its own behavior with its own lifecycle callbacks, you can include one fragment in multiple activities, so you should design for reuse and avoid directly manipulating one fragment from another fragment.
话虽这么说,你想要做的是create event callbacks to the activity.一个好方法是在片段内定义一个回调接口,并要求主机活动实现它.当活动通过接口收到回调时,它可以根据需要与布局中的其他片段共享信息.这是在两个单独的片段之间共享事件的推荐方法 – 即通过活动共享事件.
看看上面的链接…它提供了一些很好的例子.如果你仍然遇到麻烦,请告诉我,也许我可以更明确.
编辑#1:
假设你单击片段A中的一个按钮,你希望这会导致更改片段B中的按钮.下面是一些示例代码说明了这个概念:
回调接口:
public interface OnButtonClickedListener {
public void onButtonClicked();
}
活动:
public class SampleActivity extends Activity implements OnButtonClickedListener {
/* Implementation goes here */
public void onButtonClicked() {
// This method is called from fragment A, and when it is called,
// it will send information to fragment B. Remember to first
// check to see if fragment B is non-null.
/* Make call to a method in fragment B that will update its display */
}
}
片段A:
public class FragmentA extends Fragment {
OnButtonClickedListener mListener;
/* Implementation goes here */
@Override
public void onAttach(Activity activity) {
super.onAttach(activity);
try {
mListener = (OnButtonClickedListener) activity;
} catch (ClassCastException e) {
throw new ClassCastException(activity.toString() + " must implement OnButtonClickedListener ");
}
}
public void clickButton() {
// When the button is clicked, notify the activity.
// The activity will then pass the information to fragment
// B (if it has been created).
mListener.onButtonClicked();
}
}
编辑#2:
现在,您可能想知道,“为什么有人会遇到所有这些麻烦?当您可以让片段A直接操作片段B时,创建单独的活动回调方法有什么意义?”
您希望这样做的主要原因是确保将每个片段设计为模块化和可重用的活动组件.这一点尤其重要,因为模块化片段允许您更改不同屏幕大小的片段组合.在设计支持平板电脑和手机的应用程序时,您可以在不同的布局配置中重复使用片段,以根据可用的屏幕空间优化用户体验.例如,在手机上,当多个不能适合同一活动时,可能需要分离片段以提供单窗格UI.利用活动回调可确保您在片段B在屏幕上不可见的情况下轻松地重用片段.例如,如果您在手持设备上并且没有足够的空间来显示片段B,那么您可以轻松地检查活动以查看片段B当前是否显示在屏幕上.
对不起,如果不清楚……我发现很难描述:P.通过这个tutorial工作可能会有所帮助……当您使用交互式多窗格布局时,活动回调会使您的生活变得更加轻松.