我编写了一个在两个片段之间切换的虚拟活动。当您从 FragmentA 转到 FragmentB 时,FragmentA 被添加到后堆栈。但是,当我返回 FragmentA(通过按回)时,会创建一个全新的 FragmentA,并且它所处的状态会丢失。我感觉我和 this 的问题一样,但我提供了一个完整的代码示例来帮助根除问题:
public class FooActivity extends Activity {
@Override public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
final FragmentTransaction transaction = getFragmentManager().beginTransaction();
transaction.replace(android.R.id.content, new FragmentA());
transaction.commit();
}
public void nextFragment() {
final FragmentTransaction transaction = getFragmentManager().beginTransaction();
transaction.replace(android.R.id.content, new FragmentB());
transaction.addToBackStack(null);
transaction.commit();
}
public static class FragmentA extends Fragment {
@Override public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
final View main = inflater.inflate(R.layout.main, container, false);
main.findViewById(R.id.next_fragment_button).setOnClickListener(new View.OnClickListener() {
public void onClick(View v) {
((FooActivity) getActivity()).nextFragment();
}
});
return main;
}
@Override public void onSaveInstanceState(Bundle outState) {
super.onSaveInstanceState(outState);
// Save some state!
}
}
public static class FragmentB extends Fragment {
@Override public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
return inflater.inflate(R.layout.b, container, false);
}
}
}
添加了一些日志消息:
07-05 14:28:59.722 D/OMG ( 1260): FooActivity.onCreate
07-05 14:28:59.742 D/OMG ( 1260): FragmentA.onCreateView
07-05 14:28:59.742 D/OMG ( 1260): FooActivity.onResume
<Tap Button on FragmentA>
07-05 14:29:12.842 D/OMG ( 1260): FooActivity.nextFragment
07-05 14:29:12.852 D/OMG ( 1260): FragmentB.onCreateView
<Tap 'Back'>
07-05 14:29:16.792 D/OMG ( 1260): FragmentA.onCreateView
它从不调用 FragmentA.onSaveInstanceState 并且在您回击时创建一个新的 FragmentA。但是,如果我在 FragmentA 上并锁定屏幕,则会调用 FragmentA.onSaveInstanceState。太奇怪了......我期望添加到后台堆栈的片段不需要重新创建是错误的吗? docs 是这样说的:
然而,如果您在删除片段时确实调用了 addToBackStack(),那么片段将停止,并且如果用户导航回来,它将恢复。
ListView
的滚动位置。附加滚动侦听器并更新实例变量似乎太多了。
如果您从后台堆栈返回片段,它不会重新创建片段,而是重新使用同一实例并在片段生命周期中以 onCreateView()
开头,请参阅 Fragment lifecycle。
因此,如果您想存储状态,您应该使用实例变量并且不依赖 onSaveInstanceState()
。
与 Apple 的 UINavigationController
和 UIViewController
相比,Google 在 Android 软件架构方面做得并不好。 Android 关于 Fragment
的文档并没有多大帮助。
从 FragmentA 进入 FragmentB 时,现有的 FragmentA 实例不会被销毁。当您在 FragmentB 中按 Back 并返回到 FragmentA 时,我们不会创建新的 FragmentA 实例。将调用现有 FragmentA 实例的 onCreateView()
。
关键是我们不应该在 FragmentA 的 onCreateView()
中再次膨胀视图,因为我们正在使用现有的 FragmentA 的实例。我们需要保存并重用 rootView。
以下代码运行良好。它不仅保持片段状态,还减少了 RAM 和 CPU 负载(因为我们只在必要时膨胀布局)。我不敢相信 Google 的示例代码和文档除了 always inflate layout 之外从未提及它。
版本 1(不要使用版本 1。使用版本 2)
public class FragmentA extends Fragment {
View _rootView;
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
if (_rootView == null) {
// Inflate the layout for this fragment
_rootView = inflater.inflate(R.layout.fragment_a, container, false);
// Find and setup subviews
_listView = (ListView)_rootView.findViewById(R.id.listView);
...
} else {
// Do not inflate the layout again.
// The returned View of onCreateView will be added into the fragment.
// However it is not allowed to be added twice even if the parent is same.
// So we must remove _rootView from the existing parent view group
// (it will be added back).
((ViewGroup)_rootView.getParent()).removeView(_rootView);
}
return _rootView;
}
}
------2005 年 5 月 3 日更新:--------
正如评论所提到的,有时 onCreateView
中的 _rootView.getParent()
为空,这会导致崩溃。版本 2 删除了 onDestroyView() 中的 _rootView,正如 dell116 所建议的那样。在 Android 4.0.3、4.4.4、5.1.0 上测试。
版本 2
public class FragmentA extends Fragment {
View _rootView;
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
if (_rootView == null) {
// Inflate the layout for this fragment
_rootView = inflater.inflate(R.layout.fragment_a, container, false);
// Find and setup subviews
_listView = (ListView)_rootView.findViewById(R.id.listView);
...
} else {
// Do not inflate the layout again.
// The returned View of onCreateView will be added into the fragment.
// However it is not allowed to be added twice even if the parent is same.
// So we must remove _rootView from the existing parent view group
// in onDestroyView() (it will be added back).
}
return _rootView;
}
@Override
public void onDestroyView() {
if (_rootView.getParent() != null) {
((ViewGroup)_rootView.getParent()).removeView(_rootView);
}
super.onDestroyView();
}
}
警告!!!
这是一个黑客!虽然我在我的应用程序中使用它,但您需要仔细测试和阅读评论。
我想有一种替代方法可以实现您正在寻找的东西。我并不是说它是一个完整的解决方案,但它在我的案例中起到了作用。
我所做的不是替换我刚刚添加的目标片段的片段。所以基本上您将使用 add()
方法而不是 replace()
。
我还做了什么。我隐藏我当前的片段并将其添加到后台堆栈。
因此,它将新片段重叠在当前片段上而不会破坏其视图。(检查其 onDestroyView()
方法是否未被调用。加上将其添加到 backstate
给我恢复片段的优势。
这是代码:
Fragment fragment=new DestinationFragment();
FragmentManager fragmentManager = getFragmentManager();
android.app.FragmentTransaction ft=fragmentManager.beginTransaction();
ft.add(R.id.content_frame, fragment);
ft.hide(SourceFragment.this);
ft.addToBackStack(SourceFragment.class.getName());
ft.commit();
AFAIK 系统仅在视图被销毁或未创建时才调用 onCreateView()
。但是在这里我们通过不将其从内存中删除来保存视图。所以它不会创建新视图。
当您从目标片段返回时,它将弹出最后一个 FragmentTransaction
删除顶部片段,这将使最顶部(SourceFragment 的)视图出现在屏幕上。
评论:正如我所说,这不是一个完整的解决方案,因为它不会删除 Source 片段的视图,因此比平时占用更多的内存。但是,还是要达到目的。此外,我们使用了一种完全不同的隐藏视图机制,而不是替换它,这是非传统的。
所以这不是你如何维护状态,而是你如何维护视图。
Activity A{Fragment A --> Fragment B}
当我按下主页按钮后再次启动应用程序时,两个片段的 onResume()
都被调用,因此它们开始轮询。我该如何控制这个?
我会建议一个非常简单的解决方案。
获取 View 引用变量并在 OnCreateView 中设置视图。检查该变量中是否已经存在视图,然后返回相同的视图。
private View fragmentView;
public View onCreateView(LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) {
super.onCreateView(inflater, container, savedInstanceState);
if (fragmentView != null) {
return fragmentView;
}
View view = inflater.inflate(R.layout.yourfragment, container, false);
fragmentView = view;
return view;
}
if (_rootView.getParent() != null) { ((ViewGroup)_rootView.getParent()).removeView(_rootView); }
是否适合清除内存?
onDestroy()
方法中将 null
分配给 fragmentView
变量来克服这个问题。
onDestroyView()
中清除。我们的备份视图变量(此处为 fragmentView
)不会发生这种清除,并且当片段返回堆叠/销毁时会导致内存泄漏。您可以在 LeakCanery 介绍中的 [内存泄漏的常见原因] (square.github.io/leakcanary/fundamentals/…) 中找到相同的参考。
我在一个包含地图的片段中遇到了这个问题,该地图有太多设置细节无法保存/重新加载。我的解决方案是基本上一直保持这个 Fragment 处于活动状态(类似于@kaushal 提到的)。
假设您有当前的 Fragment A 并希望显示 Fragment B。总结结果:
replace() - 移除 Fragment A 并用 Fragment B 替换它。 Fragment A 将在再次被带到前面时重新创建
add() - (创建并)添加一个 Fragment B 并与 Fragment A 重叠,该 Fragment A 在后台仍处于活动状态
remove() - 可用于移除 Fragment B 并返回到 A. Fragment B 将在稍后调用时重新创建
因此,如果您想同时“保存”两个片段,只需使用 hide()/show() 切换它们。
优点:保持多个片段运行的简单方法缺点:您使用更多内存来保持所有片段运行。可能会遇到问题,例如显示许多大位图
onSaveInstanceState()
仅在配置更改时调用。
由于从一个片段更改为另一个片段没有配置更改,因此没有对 onSaveInstanceState()
的调用。什么状态没有被保存?你能具体说明吗?
如果您在 EditText 中输入一些文本,它将自动保存。任何没有任何 ID 的 UI 项都是不应保存其视图状态的项。
onSaveInstanceState()
。
首先:只需使用添加方法而不是 FragmentTransaction 类的替换方法,然后您必须通过 addToBackStack 方法将 secondFragment 添加到堆栈中:在返回单击时,您必须调用 popBackStackImmediate()
Fragment sourceFragment = new SourceFragment ();
final Fragment secondFragment = new SecondFragment();
final FragmentTransaction ft = getChildFragmentManager().beginTransaction();
ft.add(R.id.child_fragment_container, secondFragment );
ft.hide(sourceFragment );
ft.addToBackStack(NewsShow.class.getName());
ft.commit();
((SecondFragment)secondFragment).backFragmentInstanceClick = new SecondFragment.backFragmentNewsResult()
{
@Override
public void backFragmentNewsResult()
{
getChildFragmentManager().popBackStackImmediate();
}
};
在这里,因为当您将片段添加到后台堆栈时,片段中的 onSaveInstanceState
不会调用。当在 onDestroyView
和 onDestroy
之间调用 onSaveInstanceState
时,返回堆栈中的片段生命周期开始 onCreateView
和结束 onDestroyView
。我的解决方案是在 onCreate
中创建实例变量和初始化。示例代码:
private boolean isDataLoading = true;
private ArrayList<String> listData;
public void onCreate(Bundle savedInstanceState){
super.onCreate(savedInstanceState);
isDataLoading = false;
// init list at once when create fragment
listData = new ArrayList();
}
并在 onActivityCreated
中检查:
public void onViewCreated(View view, @Nullable Bundle savedInstanceState) {
super.onViewCreated(view, savedInstanceState);
if(isDataLoading){
fetchData();
}else{
//get saved instance variable listData()
}
}
private void fetchData(){
// do fetch data into listData
}
getSupportFragmentManager().addOnBackStackChangedListener(new FragmentManager.OnBackStackChangedListener()
{
@Override
public void onBackStackChanged()
{
if (getSupportFragmentManager().getBackStackEntryCount() == 0)
{
//setToolbarTitle("Main Activity");
}
else
{
Log.e("fragment_replace11111", "replace");
}
}
});
YourActivity.java
@Override
public void onBackPressed()
{
Fragment fragment = getSupportFragmentManager().findFragmentById(R.id.Fragment_content);
if (fragment instanceof YourFragmentName)
{
fragmentReplace(new HomeFragment(),"Home Fragment");
txt_toolbar_title.setText("Your Fragment");
}
else{
super.onBackPressed();
}
}
public void fragmentReplace(Fragment fragment, String fragment_name)
{
try
{
fragmentTransaction = fragmentManager.beginTransaction();
fragmentTransaction.replace(R.id.Fragment_content, fragment, fragment_name);
fragmentTransaction.setCustomAnimations(R.anim.enter_from_right, R.anim.exit_to_left, R.anim.enter_from_left, R.anim.exit_to_right);
fragmentTransaction.addToBackStack(fragment_name);
fragmentTransaction.commitAllowingStateLoss();
}
catch (Exception e)
{
e.printStackTrace();
}
}
我的问题是类似的,但我克服了我没有保持片段活着。假设您有一个包含 2 个片段的活动 - F1 和 F2。 F1 最初启动并假设包含一些用户信息,然后在某些情况下 F2 弹出要求用户填写 附加属性 - 他们的电话号码。接下来,您希望该电话号码弹回 F1 并完成注册,但您意识到所有以前的用户信息都丢失了,并且您没有他们以前的数据。片段是从头开始重新创建的,即使您在 onSaveInstanceState
中保存了此信息,捆绑包在 onActivityCreated
中也会返回 null。
解决方案:将所需信息保存为调用活动中的实例变量。然后将该实例变量传递到您的片段中。
@Override
public void onActivityCreated(@Nullable Bundle savedInstanceState) {
super.onActivityCreated(savedInstanceState);
Bundle args = getArguments();
// this will be null the first time F1 is created.
// it will be populated once you replace fragment and provide bundle data
if (args != null) {
if (args.get("your_info") != null) {
// do what you want with restored information
}
}
}
所以继续我的例子:在我显示 F2 之前,我使用回调将用户数据保存在实例变量中。然后我启动F2,用户填写电话号码并按保存。我在活动中使用另一个回调,收集此信息并替换我的片段 F1,这一次它有我可以使用的捆绑数据。
@Override
public void onPhoneAdded(String phone) {
//replace fragment
F1 f1 = new F1 ();
Bundle args = new Bundle();
yourInfo.setPhone(phone);
args.putSerializable("you_info", yourInfo);
f1.setArguments(args);
getFragmentManager().beginTransaction()
.replace(R.id.fragmentContainer, f1).addToBackStack(null).commit();
}
}
可以在此处找到有关回调的更多信息:https://developer.android.com/training/basics/fragments/communicating.html
使用以下代码替换片段:
Fragment fragment = new AddPaymentFragment();
getSupportFragmentManager().beginTransaction().replace(R.id.frame, fragment, "Tag_AddPayment")
.addToBackStack("Tag_AddPayment")
.commit();
活动的 onBackPressed() 是:
@Override
public void onBackPressed() {
android.support.v4.app.FragmentManager fm = getSupportFragmentManager();
if (fm.getBackStackEntryCount() > 1) {
fm.popBackStack();
} else {
finish();
}
Log.e("popping BACKSTRACK===> ",""+fm.getBackStackEntryCount());
}
Public void replaceFragment(Fragment mFragment, int id, String tag, boolean addToStack) {
FragmentTransaction mTransaction = getSupportFragmentManager().beginTransaction();
mTransaction.replace(id, mFragment);
hideKeyboard();
if (addToStack) {
mTransaction.addToBackStack(tag);
}
mTransaction.commitAllowingStateLoss();
}
replaceFragment(new Splash_Fragment(), R.id.container, null, false);
完美的解决方案,在堆栈中找到旧片段并在堆栈中存在时加载它。
/**
* replace or add fragment to the container
*
* @param fragment pass android.support.v4.app.Fragment
* @param bundle pass your extra bundle if any
* @param popBackStack if true it will clear back stack
* @param findInStack if true it will load old fragment if found
*/
public void replaceFragment(Fragment fragment, @Nullable Bundle bundle, boolean popBackStack, boolean findInStack) {
FragmentManager fm = getSupportFragmentManager();
FragmentTransaction ft = fm.beginTransaction();
String tag = fragment.getClass().getName();
Fragment parentFragment;
if (findInStack && fm.findFragmentByTag(tag) != null) {
parentFragment = fm.findFragmentByTag(tag);
} else {
parentFragment = fragment;
}
// if user passes the @bundle in not null, then can be added to the fragment
if (bundle != null)
parentFragment.setArguments(bundle);
else parentFragment.setArguments(null);
// this is for the very first fragment not to be added into the back stack.
if (popBackStack) {
fm.popBackStack(null, FragmentManager.POP_BACK_STACK_INCLUSIVE);
} else {
ft.addToBackStack(parentFragment.getClass().getName() + "");
}
ft.replace(R.id.contenedor_principal, parentFragment, tag);
ft.commit();
fm.executePendingTransactions();
}
像使用它一样
Fragment f = new YourFragment();
replaceFragment(f, null, boolean true, true);
Kotlin 和 ViewBinding 解决方案
我正在为 FragmentTransaction 使用 replace()
和 backstack()
方法。问题是 backstack()
方法调用了先前 Fragment 的 onCreateView
导致重新构建 Fragment UI。这是一个解决方案:
private lateinit var binding: FragmentAdRelevantDetailsBinding
override fun onCreateView(
inflater: LayoutInflater, container: ViewGroup?,savedInstanceState: Bundle?
): View {
if (!this::binding.isInitialized)
binding = FragmentAdRelevantDetailsBinding.inflate(layoutInflater, container, false)
return binding.root
}
正确调用 Fragment 生命周期方法并使用 onSavedInstanceState() 可以解决问题。
即正确调用onCreate()、onCreateView()、onViewCreated() 和onSavedInstanceState() 并将Bundle 保存在onSaveInstanceState() 中并在onCreate() 方法中重新调用。
我不知道如何,但它对我有用,没有任何错误。
如果有人能解释,将不胜感激。
public class DiagnosisFragment extends Fragment {
private static final String TITLE = "TITLE";
private String mTitle;
private List mList = null;
private ListAdapter adapter;
public DiagnosisFragment(){}
public DiagnosisFragment(List list, String title){
mList = list;
mTitle = title;
}
@Override
public void onCreate(@Nullable Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
if(savedInstanceState != null){
mList = savedInstanceState.getParcelableArrayList(HEALTH_ITEMS);
mTitle = savedInstanceState.getString(TITLE);
itemId = savedInstanceState.getInt(ID);
mChoiceMode = savedInstanceState.getInt(CHOICE_MODE);
}
getActivity().setTitle(mTitle);
adapter = (ListAdapter) new HealthAdapter(mList, getContext()).load(itemId);
}
@Nullable
@Override
public View onCreateView(@NonNull LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) {
return inflater.inflate(R.layout.diagnosis_fragment, container, false);
}
@Override
public void onViewCreated(@NonNull View view, @Nullable Bundle savedInstanceState) {
super.onViewCreated(view, savedInstanceState);
ListView lv = view.findViewById(R.id.subLocationsSymptomsList);
lv.setAdapter(adapter);
}
@Override
public void onSaveInstanceState(@NonNull Bundle outState) {
outState.putParcelableArrayList(HEALTH_ITEMS, (ArrayList) mList);
outState.putString(TITLE, mTitle);
}
}
对于正在寻找解决方案的人:
@Override
public void onDestroyView() {
Bundle savedState=new Bundle();
// put your data in bundle
// if you have object and want to restore you can use gson to convert it
//to sring
if (yourObject!=null){
savedState.putString("your_object_key",new Gson().toJson(yourObject));
}
if (getArguments()==null){
setArguments(new Bundle());
}
getArguments().putBundle("saved_state",savedState);
super.onDestroyView();
}
在 onViewCreated() 方法中:
Bundle savedState=null;
if (getArguments()!=null){
savedState=getArguments().getBundle("saved_state");
}
if (savedState!=null){
// set your restored data to your view
}