ChatGPT解决这个技术问题 Extra ChatGPT

How can I maintain fragment state when added to the back stack?

I've written up a dummy activity that switches between two fragments. When you go from FragmentA to FragmentB, FragmentA gets added to the back stack. However, when I return to FragmentA (by pressing back), a totally new FragmentA is created and the state it was in is lost. I get the feeling I'm after the same thing as this question, but I've included a complete code sample to help root out the issue:

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);
    }
  }
}

With some log messages added:

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

It's never calling FragmentA.onSaveInstanceState and it creates a new FragmentA when you hit back. However, if I'm on FragmentA and I lock the screen, FragmentA.onSaveInstanceState does get called. So weird...am I wrong in expecting a fragment added to the back stack to not need re-creation? Here's what the docs say:

Whereas, if you do call addToBackStack() when removing a fragment, then the fragment is stopped and will be resumed if the user navigates back.

@Jan-Henk What about things that have to be fetched? For instance, the scroll position of a ListView. Seems like far too much hoop-jumping to attach a scroll listener and update an instance variable.
@JakeWharton I agree it should be easier, but as far as I know there is no way around this because onCreateView is called when a fragment is restored from the backstack. But I could be wrong :)
onCreate does not get called. So apparently it's re-using the same instance but calling onCreateView again? Lame. I guess I can just cache the result of onCreateView and just return the existing view if onCreateView gets called again.
Exactly what I was looking for hours. Can you post how you achieved this using instance variable?
So I recently started my own implementation in github.com/frostymarvelous/Folio and came across a problem. I'm able to create about 5 complex Pages/Fragments before I start getting OOM crashes. That's what led me here. Hiding and Showing is simply not enough. Views are too memory heavy.

a
animaonline

If you return to a fragment from the back stack it does not re-create the fragment but re-uses the same instance and starts with onCreateView() in the fragment lifecycle, see Fragment lifecycle.

So if you want to store state you should use instance variables and not rely on onSaveInstanceState().


The current version of the documentation contradicts this claim. The flowchart says what you state, but the text in the main area of the page says onCreateView() is only called the first time the Fragment is displayed: developer.android.com/guide/components/fragments.html I'm fighting this issue now, and I don't see any methods called when returning a fragment from the backstack. (Android 4.2)
Tried to logged its behavior. The onCreateView() is always called when the fragment is being displayed.
@ColinM. Any solution for the problem?
This doesn't work for me. My instance variables are null on returning to the fragment! How can I save the state?
so if we should not relay on save instance how should save fragment status and data?
V
Vince Yuan

Comparing to Apple's UINavigationController and UIViewController, Google does not do well in Android software architecture. And Android's document about Fragment does not help much.

When you enter FragmentB from FragmentA, the existing FragmentA instance is not destroyed. When you press Back in FragmentB and return to FragmentA, we don't create a new FragmentA instance. The existing FragmentA instance's onCreateView() will be called.

The key thing is we should not inflate view again in FragmentA's onCreateView(), because we are using the existing FragmentA's instance. We need to save and reuse the rootView.

The following code works well. It does not only keep fragment state, but also reduces the RAM and CPU load (because we only inflate layout if necessary). I can't believe Google's sample code and document never mention it but always inflate layout.

Version 1(Don't use version 1. Use version 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;
    }
}

------Update on May 3 2005:-------

As the comments mentioned, sometimes _rootView.getParent() is null in onCreateView, which causes the crash. Version 2 removes _rootView in onDestroyView(), as dell116 suggested. Tested on Android 4.0.3, 4.4.4, 5.1.0.

Version 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();
    }
}

WARNING!!!

This is a HACK! Though I am using it in my app, you need to test and read comments carefully.


Holding a reference to whole fragment's rootview is a bad idea IMO. If you are continuously adding several fragments to a backstack and all of them are holding its rootview (which has a quite big memory footprint), then there is high possibility you end up with the OutOfMemoryError since all of the fragments holds rootview reference and GC cant collect it. I think the better approach is to inflate the view all the time (and let Android system handle its view creation/destroying) and onActivityCreated/onViewCreated check if your data is null. If yes, then load it, else set the data to views.
Don't do this! When the Fragment's view hierarchy is created, it contains an internal reference to the Activity that held the fragment at the time. When a configuration change occurs, the Activity is often re-created. Re-using the old layout keeps that zombie Activity around in memory along with whatever objects it also references. Wasting memory like this hinders performance and makes your app a top candidate for immediate termination when not in the foreground.
@AllDayAmazing This is a good point. To be honest, I am very confused right now. Can anybody try to explain why holding a reference to a fragment's rootview is not ok but holding a reference only for any child of rootview (which has a reference to rootview anyway) is ok?
STAY AWAY FROM THIS unless you want to waste 5 hours finding out what's bugging out your code.....then only to find that this is the cause. Now I have to refactor a bunch of stuff because I used this hack. It's much better to use fragmentTransaction.add if you want to keep the fragment's UI in-tact when bringing another into view (even on top). fragmentTransaction.replace() is meant to destroy the fragment's views.....don't fight the system.
@VinceYuan - I tested with the latest v7-appcompat library on Android 5.1 and this left 6 instances of a fragment that should have been removed in my activity's FragmentManager. Even if the GC will handle it correctly (which I don't believe it will) this is causing unnecessary strain on memory for your app as well as the device in general. Simply using .add() completely removes the need for all of this hacky code. Doing this is completely against what using FragmentTransaction.replace() was meant to do in the first place.
G
Gastón Saillén

I guess there is an alternative way to achieve what you are looking for. I don't say its a complete solution but it served the purpose in my case.

What I did is instead of replacing the fragment I just added target fragment. So basically you will be going to use add() method instead replace().

What else I did. I hide my current fragment and also add it to backstack.

Hence it overlaps new fragment over the current fragment without destroying its view.(check that its onDestroyView() method is not being called. Plus adding it to backstate gives me the advantage of resuming the fragment.

Here is the code :

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 System only calls onCreateView() if the view is destroyed or not created. But here we have saved the view by not removing it from memory. So it will not create a new view.

And when you get back from Destination Fragment it will pop the last FragmentTransaction removing top fragment which will make the topmost(SourceFragment's) view to appear over the screen.

COMMENT: As I said it is not a complete solution as it doesn't remove the view of Source fragment and hence occupying more memory than usual. But still, serve the purpose. Also, we are using a totally different mechanism of hiding view instead of replacing it which is non traditional.

So it's not really for how you maintain the state, but for how you maintain the view.


In my case, by adding a fragment instead of replacing causes problem when using polling or anyother kind of web request is used in the fragment. I want to pause this polling in Fragment A when Fragment B is added. Any idea on this?
How you are using polling in FirstFragment ? You have to do that manually as both of the fragments remain in memory.So you can use their instances to perform necessary action.Thats the clue,generate an event in main activity which do something when you add second fragment. Hope this will help.
Thank you for the clue =). I have this done. But is this the only way to do it? And an appropriate way? Also When I press home button and launch application again all fragments get active again. Suppose Im here in Fragment B through this way. Activity A{Fragment A --> Fragment B} when I launch the application again after pressing home button both fragment's onResume() is called and hence they start their polling. How can I control this?
Unfortunately you can not,System doesn't work in normal behaviour in this way,it will consider both fragment as direct child of activity.Though it served the purpose of maintaining the fragment state,other normal things get very hard to manage.Lately i discovered all this issues,now my suggestion is to not go for this way.sorry.
Of course,in last i will say not to go with this approach until you find any other solution.Because it is hard to manage.
Y
You Qi

I would suggest a very simple solution.

Take the View reference variable and set view in OnCreateView. Check if view already exists in this variable, then return same view.

   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;
    }

There is a chance of memory leak if we didn't remove 'fragmentView' variable in onDestroy()
@ArunPM so how to remove fragmentView in onDestroy() ? if (_rootView.getParent() != null) { ((ViewGroup)_rootView.getParent()).removeView(_rootView); } is appropriate to clear memory ?
@MehmetGür i am using this solution many time. Till now i did not get any memory leak error. But you can use ArunPM solution with that if you want. I think he is telling to set fragmentView to null in OnDestroy() Method.
I'm using LeakCanary for detecting memory leaks and its throwing leak issues when I followed this method. But as @Mandeep Sigh mentioned in the comment we can overcome this issue by assigning null to fragmentView variable in onDestroy() method.
As per my knowledge, when a fragment getting destroys, the view associated with the fragment is cleared in onDestroyView(). This clearing is not happening for our backup view variable (here fragmentView ) and it will cause memory leak when the fragment back stacked/destroyed. You can find the same reference in [Common causes for memory leaks] (square.github.io/leakcanary/fundamentals/…) in LeakCanery introduction.
T
Teo Inke

I came across this problem in a Fragment containing a map, which has too many setup details to save/reload. My solution was to basically keep this Fragment active the whole time (similar to what @kaushal mentioned).

Say you have current Fragment A and wants to display Fragment B. Summarizing the consequences:

replace() - remove Fragment A and replace it with Fragment B. Fragment A will be recreated once brought to the front again

add() - (create and) add a Fragment B and it overlap Fragment A, which is still active in the background

remove() - can be used to remove Fragment B and return to A. Fragment B will be recreated when called later on

Hence, if you want to keep both Fragments "saved", just toggle them using hide()/show().

Pros: easy and simple method to keep multiple Fragments running Cons: you use a lot more memory to keep all of them running. May run into problems, e.g. displaying many large bitmaps


can you please tell me when we remove fragment b and return to A then which method is called in Fragment A ? i want to take some action when we remove the fragment B.
M
Marcel Bro

onSaveInstanceState() is only called if there is configuration change.

Since changing from one fragment to another there is no configuration change so no call to onSaveInstanceState() is there. What state is not being save? Can you specify?

If you enter some text in EditText it will be saved automatically. Any UI item without any ID is the item whose view state shall not be saved.


onSaveInstanceState() is also called when the system destroys Activity because it lacks resources.
C
Community

first: just use add method instead of replace method of FragmentTransaction class then you have to add secondFragment to stack by addToBackStack method second :on back click you have to call 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();                                
        }
};

L
Ling Boo

Here, since onSaveInstanceState in fragment does not call when you add fragment into backstack. The fragment lifecycle in backstack when restored start onCreateView and end onDestroyView while onSaveInstanceState is called between onDestroyView and onDestroy. My solution is create instance variable and init in onCreate. Sample code:

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();
}

And check it in 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
}

H
Hardik Vasani
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();
    }
}

D
Dodi

My problem was similar but I overcame me without keeping the fragment alive. Suppose you have an activity that has 2 fragments - F1 and F2. F1 is started initially and lets say in contains some user info and then upon some condition F2 pops on asking user to fill in additional attribute - their phone number. Next, you want that phone number to pop back to F1 and complete signup but you realize all previous user info is lost and you don't have their previous data. The fragment is recreated from scratch and even if you saved this information in onSaveInstanceState the bundle comes back null in onActivityCreated.

Solution: Save required information as an instance variable in calling activity. Then pass that instance variable into your fragment.

@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
        }
    }
}

So following on with my example: before I display F2 I save user data in the instance variable using a callback. Then I start F2, user fills in phone number and presses save. I use another callback in activity, collect this information and replace my fragment F1, this time it has bundle data that I can use.

@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();

    }
}

More information about callbacks can be found here: https://developer.android.com/training/basics/fragments/communicating.html


P
Pratibha Sarode

Replace a Fragment using following code:

Fragment fragment = new AddPaymentFragment();
getSupportFragmentManager().beginTransaction().replace(R.id.frame, fragment, "Tag_AddPayment")
                .addToBackStack("Tag_AddPayment")
                .commit();

Activity's onBackPressed() is :

  @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());

}

V
Vishal Yadav
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);

Thank you for this code snippet, which might provide some limited, immediate help. A proper explanation would greatly improve its long-term value by showing why this is a good solution to the problem, and would make it more useful to future readers with other, similar questions. Please edit your answer to add some explanation, including the assumptions you've made.
K
Khemraj Sharma

Perfect solution that find old fragment in stack and load it if exist in stack.

/**
     * 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();
    }

use it like

Fragment f = new YourFragment();
replaceFragment(f, null, boolean true, true); 

S
Shubham Gupta

Kotlin and ViewBinding Solution

I am using replace() and backstack() method for FragmentTransaction. The problem is that the backstack() method calls the onCreateView of the Previous Fragment which causes in re-built of Fragment UI. Here is a solution for that:

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
}

A
Aditya Anand

Calling the Fragment lifecycle methods properly and using onSavedInstanceState() can solve the problem.

i.e Call onCreate(), onCreateView(), onViewCreated() and onSavedInstanceState() properly and save Bundle in onSaveInstanceState() and resotre it in onCreate() method.

I don't know how but it worked for me without any error.

If anyone can explain it will very much appreciated.



    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);
        }
    }


m
mostafa3dmax

For who has looking for solution :

@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();
    }

and in onViewCreated() method :

Bundle savedState=null;
if (getArguments()!=null){
    savedState=getArguments().getBundle("saved_state");
}
if (savedState!=null){
// set your restored data to your view
}

关注公众号,不定期副业成功案例分享
Follow WeChat

Success story sharing

Want to stay one step ahead of the latest teleworks?

Subscribe Now