onActivityResult() not called in new nested fragment API onActivityResult() not called in new nested fragment API java java

onActivityResult() not called in new nested fragment API


I solved this problem with the following code (support library is used):

In container fragment override onActivityResult in this way:

@Override    public void onActivityResult(int requestCode, int resultCode, Intent data) {        super.onActivityResult(requestCode, resultCode, data);        List<Fragment> fragments = getChildFragmentManager().getFragments();        if (fragments != null) {            for (Fragment fragment : fragments) {                fragment.onActivityResult(requestCode, resultCode, data);            }        }    }

Now nested fragment will receive call to onActivityResult method.

Also, as noted Eric Brynsvold in similar question, nested fragment should start activity using it's parent fragment and not the simple startActivityForResult() call. So, in nested fragment start activity with:

getParentFragment().startActivityForResult(intent, requestCode);


Yes, the onActivityResult() in nested fragment will not be invoked by this way.

The calling sequence of onActivityResult (in Android support library) is

  1. Activity.dispatchActivityResult().
  2. FragmentActivity.onActivityResult().
  3. Fragment.onActivityResult().

In the 3rd step, the fragment is found in the FragmentMananger of parent Activity. So in your example, it is the container fragment that is found to dispatch onActivityResult(), nested fragment could never receive the event.

I think you have to implement your own dispatch in ContainerFragment.onActivityResult(), find the nested fragment and invoke pass the result and data to it.


Here's how I solved it.

In Activity:

@Overrideprotected void onActivityResult(int requestCode, int resultCode, Intent data) {    super.onActivityResult(requestCode, resultCode, data);    List<Fragment> frags = getSupportFragmentManager().getFragments();    if (frags != null) {        for (Fragment f : frags) {            if (f != null)                handleResult(f, requestCode, resultCode, data);        }    }}private void handleResult(Fragment frag, int requestCode, int resultCode, Intent data) {    if (frag instanceof IHandleActivityResult) { // custom interface with no signitures        frag.onActivityResult(requestCode, resultCode, data);    }    List<Fragment> frags = frag.getChildFragmentManager().getFragments();    if (frags != null) {        for (Fragment f : frags) {            if (f != null)                handleResult(f, requestCode, resultCode, data);        }    }}