• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1 /*
2  * Copyright (C) 2010 The Android Open Source Project
3  *
4  * Licensed under the Apache License, Version 2.0 (the "License");
5  * you may not use this file except in compliance with the License.
6  * You may obtain a copy of the License at
7  *
8  *      http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  */
16 
17 package android.app;
18 
19 import android.content.Loader;
20 import android.os.Bundle;
21 import android.util.DebugUtils;
22 import android.util.Log;
23 import android.util.SparseArray;
24 
25 import java.io.FileDescriptor;
26 import java.io.PrintWriter;
27 import java.lang.reflect.Modifier;
28 
29 /**
30  * Interface associated with an {@link Activity} or {@link Fragment} for managing
31  * one or more {@link android.content.Loader} instances associated with it.  This
32  * helps an application manage longer-running operations in conjunction with the
33  * Activity or Fragment lifecycle; the most common use of this is with a
34  * {@link android.content.CursorLoader}, however applications are free to write
35  * their own loaders for loading other types of data.
36  *
37  * While the LoaderManager API was introduced in
38  * {@link android.os.Build.VERSION_CODES#HONEYCOMB}, a version of the API
39  * at is also available for use on older platforms through
40  * {@link android.support.v4.app.FragmentActivity}.  See the blog post
41  * <a href="http://android-developers.blogspot.com/2011/03/fragments-for-all.html">
42  * Fragments For All</a> for more details.
43  *
44  * <p>As an example, here is the full implementation of a {@link Fragment}
45  * that displays a {@link android.widget.ListView} containing the results of
46  * a query against the contacts content provider.  It uses a
47  * {@link android.content.CursorLoader} to manage the query on the provider.
48  *
49  * {@sample development/samples/ApiDemos/src/com/example/android/apis/app/LoaderCursor.java
50  *      fragment_cursor}
51  *
52  * <div class="special reference">
53  * <h3>Developer Guides</h3>
54  * <p>For more information about using loaders, read the
55  * <a href="{@docRoot}guide/topics/fundamentals/loaders.html">Loaders</a> developer guide.</p>
56  * </div>
57  */
58 public abstract class LoaderManager {
59     /**
60      * Callback interface for a client to interact with the manager.
61      */
62     public interface LoaderCallbacks<D> {
63         /**
64          * Instantiate and return a new Loader for the given ID.
65          *
66          * @param id The ID whose loader is to be created.
67          * @param args Any arguments supplied by the caller.
68          * @return Return a new Loader instance that is ready to start loading.
69          */
onCreateLoader(int id, Bundle args)70         public Loader<D> onCreateLoader(int id, Bundle args);
71 
72         /**
73          * Called when a previously created loader has finished its load.  Note
74          * that normally an application is <em>not</em> allowed to commit fragment
75          * transactions while in this call, since it can happen after an
76          * activity's state is saved.  See {@link FragmentManager#beginTransaction()
77          * FragmentManager.openTransaction()} for further discussion on this.
78          *
79          * <p>This function is guaranteed to be called prior to the release of
80          * the last data that was supplied for this Loader.  At this point
81          * you should remove all use of the old data (since it will be released
82          * soon), but should not do your own release of the data since its Loader
83          * owns it and will take care of that.  The Loader will take care of
84          * management of its data so you don't have to.  In particular:
85          *
86          * <ul>
87          * <li> <p>The Loader will monitor for changes to the data, and report
88          * them to you through new calls here.  You should not monitor the
89          * data yourself.  For example, if the data is a {@link android.database.Cursor}
90          * and you place it in a {@link android.widget.CursorAdapter}, use
91          * the {@link android.widget.CursorAdapter#CursorAdapter(android.content.Context,
92          * android.database.Cursor, int)} constructor <em>without</em> passing
93          * in either {@link android.widget.CursorAdapter#FLAG_AUTO_REQUERY}
94          * or {@link android.widget.CursorAdapter#FLAG_REGISTER_CONTENT_OBSERVER}
95          * (that is, use 0 for the flags argument).  This prevents the CursorAdapter
96          * from doing its own observing of the Cursor, which is not needed since
97          * when a change happens you will get a new Cursor throw another call
98          * here.
99          * <li> The Loader will release the data once it knows the application
100          * is no longer using it.  For example, if the data is
101          * a {@link android.database.Cursor} from a {@link android.content.CursorLoader},
102          * you should not call close() on it yourself.  If the Cursor is being placed in a
103          * {@link android.widget.CursorAdapter}, you should use the
104          * {@link android.widget.CursorAdapter#swapCursor(android.database.Cursor)}
105          * method so that the old Cursor is not closed.
106          * </ul>
107          *
108          * @param loader The Loader that has finished.
109          * @param data The data generated by the Loader.
110          */
onLoadFinished(Loader<D> loader, D data)111         public void onLoadFinished(Loader<D> loader, D data);
112 
113         /**
114          * Called when a previously created loader is being reset, and thus
115          * making its data unavailable.  The application should at this point
116          * remove any references it has to the Loader's data.
117          *
118          * @param loader The Loader that is being reset.
119          */
onLoaderReset(Loader<D> loader)120         public void onLoaderReset(Loader<D> loader);
121     }
122 
123     /**
124      * Ensures a loader is initialized and active.  If the loader doesn't
125      * already exist, one is created and (if the activity/fragment is currently
126      * started) starts the loader.  Otherwise the last created
127      * loader is re-used.
128      *
129      * <p>In either case, the given callback is associated with the loader, and
130      * will be called as the loader state changes.  If at the point of call
131      * the caller is in its started state, and the requested loader
132      * already exists and has generated its data, then
133      * callback {@link LoaderCallbacks#onLoadFinished} will
134      * be called immediately (inside of this function), so you must be prepared
135      * for this to happen.
136      *
137      * @param id A unique identifier for this loader.  Can be whatever you want.
138      * Identifiers are scoped to a particular LoaderManager instance.
139      * @param args Optional arguments to supply to the loader at construction.
140      * If a loader already exists (a new one does not need to be created), this
141      * parameter will be ignored and the last arguments continue to be used.
142      * @param callback Interface the LoaderManager will call to report about
143      * changes in the state of the loader.  Required.
144      */
initLoader(int id, Bundle args, LoaderManager.LoaderCallbacks<D> callback)145     public abstract <D> Loader<D> initLoader(int id, Bundle args,
146             LoaderManager.LoaderCallbacks<D> callback);
147 
148     /**
149      * Starts a new or restarts an existing {@link android.content.Loader} in
150      * this manager, registers the callbacks to it,
151      * and (if the activity/fragment is currently started) starts loading it.
152      * If a loader with the same id has previously been
153      * started it will automatically be destroyed when the new loader completes
154      * its work. The callback will be delivered before the old loader
155      * is destroyed.
156      *
157      * @param id A unique identifier for this loader.  Can be whatever you want.
158      * Identifiers are scoped to a particular LoaderManager instance.
159      * @param args Optional arguments to supply to the loader at construction.
160      * @param callback Interface the LoaderManager will call to report about
161      * changes in the state of the loader.  Required.
162      */
restartLoader(int id, Bundle args, LoaderManager.LoaderCallbacks<D> callback)163     public abstract <D> Loader<D> restartLoader(int id, Bundle args,
164             LoaderManager.LoaderCallbacks<D> callback);
165 
166     /**
167      * Stops and removes the loader with the given ID.  If this loader
168      * had previously reported data to the client through
169      * {@link LoaderCallbacks#onLoadFinished(Loader, Object)}, a call
170      * will be made to {@link LoaderCallbacks#onLoaderReset(Loader)}.
171      */
destroyLoader(int id)172     public abstract void destroyLoader(int id);
173 
174     /**
175      * Return the Loader with the given id or null if no matching Loader
176      * is found.
177      */
getLoader(int id)178     public abstract <D> Loader<D> getLoader(int id);
179 
180     /**
181      * Print the LoaderManager's state into the given stream.
182      *
183      * @param prefix Text to print at the front of each line.
184      * @param fd The raw file descriptor that the dump is being sent to.
185      * @param writer A PrintWriter to which the dump is to be set.
186      * @param args Additional arguments to the dump request.
187      */
dump(String prefix, FileDescriptor fd, PrintWriter writer, String[] args)188     public abstract void dump(String prefix, FileDescriptor fd, PrintWriter writer, String[] args);
189 
190     /**
191      * Control whether the framework's internal loader manager debugging
192      * logs are turned on.  If enabled, you will see output in logcat as
193      * the framework performs loader operations.
194      */
enableDebugLogging(boolean enabled)195     public static void enableDebugLogging(boolean enabled) {
196         LoaderManagerImpl.DEBUG = enabled;
197     }
198 }
199 
200 class LoaderManagerImpl extends LoaderManager {
201     static final String TAG = "LoaderManager";
202     static boolean DEBUG = false;
203 
204     // These are the currently active loaders.  A loader is here
205     // from the time its load is started until it has been explicitly
206     // stopped or restarted by the application.
207     final SparseArray<LoaderInfo> mLoaders = new SparseArray<LoaderInfo>();
208 
209     // These are previously run loaders.  This list is maintained internally
210     // to avoid destroying a loader while an application is still using it.
211     // It allows an application to restart a loader, but continue using its
212     // previously run loader until the new loader's data is available.
213     final SparseArray<LoaderInfo> mInactiveLoaders = new SparseArray<LoaderInfo>();
214 
215     final String mWho;
216 
217     Activity mActivity;
218     boolean mStarted;
219     boolean mRetaining;
220     boolean mRetainingStarted;
221 
222     boolean mCreatingLoader;
223 
224     final class LoaderInfo implements Loader.OnLoadCompleteListener<Object>,
225             Loader.OnLoadCanceledListener<Object> {
226         final int mId;
227         final Bundle mArgs;
228         LoaderManager.LoaderCallbacks<Object> mCallbacks;
229         Loader<Object> mLoader;
230         boolean mHaveData;
231         boolean mDeliveredData;
232         Object mData;
233         boolean mStarted;
234         boolean mRetaining;
235         boolean mRetainingStarted;
236         boolean mReportNextStart;
237         boolean mDestroyed;
238         boolean mListenerRegistered;
239 
240         LoaderInfo mPendingLoader;
241 
LoaderInfo(int id, Bundle args, LoaderManager.LoaderCallbacks<Object> callbacks)242         public LoaderInfo(int id, Bundle args, LoaderManager.LoaderCallbacks<Object> callbacks) {
243             mId = id;
244             mArgs = args;
245             mCallbacks = callbacks;
246         }
247 
start()248         void start() {
249             if (mRetaining && mRetainingStarted) {
250                 // Our owner is started, but we were being retained from a
251                 // previous instance in the started state...  so there is really
252                 // nothing to do here, since the loaders are still started.
253                 mStarted = true;
254                 return;
255             }
256 
257             if (mStarted) {
258                 // If loader already started, don't restart.
259                 return;
260             }
261 
262             mStarted = true;
263 
264             if (DEBUG) Log.v(TAG, "  Starting: " + this);
265             if (mLoader == null && mCallbacks != null) {
266                mLoader = mCallbacks.onCreateLoader(mId, mArgs);
267             }
268             if (mLoader != null) {
269                 if (mLoader.getClass().isMemberClass()
270                         && !Modifier.isStatic(mLoader.getClass().getModifiers())) {
271                     throw new IllegalArgumentException(
272                             "Object returned from onCreateLoader must not be a non-static inner member class: "
273                             + mLoader);
274                 }
275                 if (!mListenerRegistered) {
276                     mLoader.registerListener(mId, this);
277                     mLoader.registerOnLoadCanceledListener(this);
278                     mListenerRegistered = true;
279                 }
280                 mLoader.startLoading();
281             }
282         }
283 
retain()284         void retain() {
285             if (DEBUG) Log.v(TAG, "  Retaining: " + this);
286             mRetaining = true;
287             mRetainingStarted = mStarted;
288             mStarted = false;
289             mCallbacks = null;
290         }
291 
finishRetain()292         void finishRetain() {
293             if (mRetaining) {
294                 if (DEBUG) Log.v(TAG, "  Finished Retaining: " + this);
295                 mRetaining = false;
296                 if (mStarted != mRetainingStarted) {
297                     if (!mStarted) {
298                         // This loader was retained in a started state, but
299                         // at the end of retaining everything our owner is
300                         // no longer started...  so make it stop.
301                         stop();
302                     }
303                 }
304             }
305 
306             if (mStarted && mHaveData && !mReportNextStart) {
307                 // This loader has retained its data, either completely across
308                 // a configuration change or just whatever the last data set
309                 // was after being restarted from a stop, and now at the point of
310                 // finishing the retain we find we remain started, have
311                 // our data, and the owner has a new callback...  so
312                 // let's deliver the data now.
313                 callOnLoadFinished(mLoader, mData);
314             }
315         }
316 
reportStart()317         void reportStart() {
318             if (mStarted) {
319                 if (mReportNextStart) {
320                     mReportNextStart = false;
321                     if (mHaveData) {
322                         callOnLoadFinished(mLoader, mData);
323                     }
324                 }
325             }
326         }
327 
stop()328         void stop() {
329             if (DEBUG) Log.v(TAG, "  Stopping: " + this);
330             mStarted = false;
331             if (!mRetaining) {
332                 if (mLoader != null && mListenerRegistered) {
333                     // Let the loader know we're done with it
334                     mListenerRegistered = false;
335                     mLoader.unregisterListener(this);
336                     mLoader.unregisterOnLoadCanceledListener(this);
337                     mLoader.stopLoading();
338                 }
339             }
340         }
341 
cancel()342         void cancel() {
343             if (DEBUG) Log.v(TAG, "  Canceling: " + this);
344             if (mStarted && mLoader != null && mListenerRegistered) {
345                 if (!mLoader.cancelLoad()) {
346                     onLoadCanceled(mLoader);
347                 }
348             }
349         }
350 
destroy()351         void destroy() {
352             if (DEBUG) Log.v(TAG, "  Destroying: " + this);
353             mDestroyed = true;
354             boolean needReset = mDeliveredData;
355             mDeliveredData = false;
356             if (mCallbacks != null && mLoader != null && mHaveData && needReset) {
357                 if (DEBUG) Log.v(TAG, "  Reseting: " + this);
358                 String lastBecause = null;
359                 if (mActivity != null) {
360                     lastBecause = mActivity.mFragments.mNoTransactionsBecause;
361                     mActivity.mFragments.mNoTransactionsBecause = "onLoaderReset";
362                 }
363                 try {
364                     mCallbacks.onLoaderReset(mLoader);
365                 } finally {
366                     if (mActivity != null) {
367                         mActivity.mFragments.mNoTransactionsBecause = lastBecause;
368                     }
369                 }
370             }
371             mCallbacks = null;
372             mData = null;
373             mHaveData = false;
374             if (mLoader != null) {
375                 if (mListenerRegistered) {
376                     mListenerRegistered = false;
377                     mLoader.unregisterListener(this);
378                     mLoader.unregisterOnLoadCanceledListener(this);
379                 }
380                 mLoader.reset();
381             }
382             if (mPendingLoader != null) {
383                 mPendingLoader.destroy();
384             }
385         }
386 
387         @Override
onLoadCanceled(Loader<Object> loader)388         public void onLoadCanceled(Loader<Object> loader) {
389             if (DEBUG) Log.v(TAG, "onLoadCanceled: " + this);
390 
391             if (mDestroyed) {
392                 if (DEBUG) Log.v(TAG, "  Ignoring load canceled -- destroyed");
393                 return;
394             }
395 
396             if (mLoaders.get(mId) != this) {
397                 // This cancellation message is not coming from the current active loader.
398                 // We don't care about it.
399                 if (DEBUG) Log.v(TAG, "  Ignoring load canceled -- not active");
400                 return;
401             }
402 
403             LoaderInfo pending = mPendingLoader;
404             if (pending != null) {
405                 // There is a new request pending and we were just
406                 // waiting for the old one to cancel or complete before starting
407                 // it.  So now it is time, switch over to the new loader.
408                 if (DEBUG) Log.v(TAG, "  Switching to pending loader: " + pending);
409                 mPendingLoader = null;
410                 mLoaders.put(mId, null);
411                 destroy();
412                 installLoader(pending);
413             }
414         }
415 
416         @Override
onLoadComplete(Loader<Object> loader, Object data)417         public void onLoadComplete(Loader<Object> loader, Object data) {
418             if (DEBUG) Log.v(TAG, "onLoadComplete: " + this);
419 
420             if (mDestroyed) {
421                 if (DEBUG) Log.v(TAG, "  Ignoring load complete -- destroyed");
422                 return;
423             }
424 
425             if (mLoaders.get(mId) != this) {
426                 // This data is not coming from the current active loader.
427                 // We don't care about it.
428                 if (DEBUG) Log.v(TAG, "  Ignoring load complete -- not active");
429                 return;
430             }
431 
432             LoaderInfo pending = mPendingLoader;
433             if (pending != null) {
434                 // There is a new request pending and we were just
435                 // waiting for the old one to complete before starting
436                 // it.  So now it is time, switch over to the new loader.
437                 if (DEBUG) Log.v(TAG, "  Switching to pending loader: " + pending);
438                 mPendingLoader = null;
439                 mLoaders.put(mId, null);
440                 destroy();
441                 installLoader(pending);
442                 return;
443             }
444 
445             // Notify of the new data so the app can switch out the old data before
446             // we try to destroy it.
447             if (mData != data || !mHaveData) {
448                 mData = data;
449                 mHaveData = true;
450                 if (mStarted) {
451                     callOnLoadFinished(loader, data);
452                 }
453             }
454 
455             //if (DEBUG) Log.v(TAG, "  onLoadFinished returned: " + this);
456 
457             // We have now given the application the new loader with its
458             // loaded data, so it should have stopped using the previous
459             // loader.  If there is a previous loader on the inactive list,
460             // clean it up.
461             LoaderInfo info = mInactiveLoaders.get(mId);
462             if (info != null && info != this) {
463                 info.mDeliveredData = false;
464                 info.destroy();
465                 mInactiveLoaders.remove(mId);
466             }
467 
468             if (mActivity != null && !hasRunningLoaders()) {
469                 mActivity.mFragments.startPendingDeferredFragments();
470             }
471         }
472 
callOnLoadFinished(Loader<Object> loader, Object data)473         void callOnLoadFinished(Loader<Object> loader, Object data) {
474             if (mCallbacks != null) {
475                 String lastBecause = null;
476                 if (mActivity != null) {
477                     lastBecause = mActivity.mFragments.mNoTransactionsBecause;
478                     mActivity.mFragments.mNoTransactionsBecause = "onLoadFinished";
479                 }
480                 try {
481                     if (DEBUG) Log.v(TAG, "  onLoadFinished in " + loader + ": "
482                             + loader.dataToString(data));
483                     mCallbacks.onLoadFinished(loader, data);
484                 } finally {
485                     if (mActivity != null) {
486                         mActivity.mFragments.mNoTransactionsBecause = lastBecause;
487                     }
488                 }
489                 mDeliveredData = true;
490             }
491         }
492 
493         @Override
toString()494         public String toString() {
495             StringBuilder sb = new StringBuilder(64);
496             sb.append("LoaderInfo{");
497             sb.append(Integer.toHexString(System.identityHashCode(this)));
498             sb.append(" #");
499             sb.append(mId);
500             sb.append(" : ");
501             DebugUtils.buildShortClassTag(mLoader, sb);
502             sb.append("}}");
503             return sb.toString();
504         }
505 
dump(String prefix, FileDescriptor fd, PrintWriter writer, String[] args)506         public void dump(String prefix, FileDescriptor fd, PrintWriter writer, String[] args) {
507             writer.print(prefix); writer.print("mId="); writer.print(mId);
508                     writer.print(" mArgs="); writer.println(mArgs);
509             writer.print(prefix); writer.print("mCallbacks="); writer.println(mCallbacks);
510             writer.print(prefix); writer.print("mLoader="); writer.println(mLoader);
511             if (mLoader != null) {
512                 mLoader.dump(prefix + "  ", fd, writer, args);
513             }
514             if (mHaveData || mDeliveredData) {
515                 writer.print(prefix); writer.print("mHaveData="); writer.print(mHaveData);
516                         writer.print("  mDeliveredData="); writer.println(mDeliveredData);
517                 writer.print(prefix); writer.print("mData="); writer.println(mData);
518             }
519             writer.print(prefix); writer.print("mStarted="); writer.print(mStarted);
520                     writer.print(" mReportNextStart="); writer.print(mReportNextStart);
521                     writer.print(" mDestroyed="); writer.println(mDestroyed);
522             writer.print(prefix); writer.print("mRetaining="); writer.print(mRetaining);
523                     writer.print(" mRetainingStarted="); writer.print(mRetainingStarted);
524                     writer.print(" mListenerRegistered="); writer.println(mListenerRegistered);
525             if (mPendingLoader != null) {
526                 writer.print(prefix); writer.println("Pending Loader ");
527                         writer.print(mPendingLoader); writer.println(":");
528                 mPendingLoader.dump(prefix + "  ", fd, writer, args);
529             }
530         }
531     }
532 
LoaderManagerImpl(String who, Activity activity, boolean started)533     LoaderManagerImpl(String who, Activity activity, boolean started) {
534         mWho = who;
535         mActivity = activity;
536         mStarted = started;
537     }
538 
updateActivity(Activity activity)539     void updateActivity(Activity activity) {
540         mActivity = activity;
541     }
542 
createLoader(int id, Bundle args, LoaderManager.LoaderCallbacks<Object> callback)543     private LoaderInfo createLoader(int id, Bundle args,
544             LoaderManager.LoaderCallbacks<Object> callback) {
545         LoaderInfo info = new LoaderInfo(id, args,  (LoaderManager.LoaderCallbacks<Object>)callback);
546         Loader<Object> loader = callback.onCreateLoader(id, args);
547         info.mLoader = (Loader<Object>)loader;
548         return info;
549     }
550 
createAndInstallLoader(int id, Bundle args, LoaderManager.LoaderCallbacks<Object> callback)551     private LoaderInfo createAndInstallLoader(int id, Bundle args,
552             LoaderManager.LoaderCallbacks<Object> callback) {
553         try {
554             mCreatingLoader = true;
555             LoaderInfo info = createLoader(id, args, callback);
556             installLoader(info);
557             return info;
558         } finally {
559             mCreatingLoader = false;
560         }
561     }
562 
installLoader(LoaderInfo info)563     void installLoader(LoaderInfo info) {
564         mLoaders.put(info.mId, info);
565         if (mStarted) {
566             // The activity will start all existing loaders in it's onStart(),
567             // so only start them here if we're past that point of the activitiy's
568             // life cycle
569             info.start();
570         }
571     }
572 
573     /**
574      * Call to initialize a particular ID with a Loader.  If this ID already
575      * has a Loader associated with it, it is left unchanged and any previous
576      * callbacks replaced with the newly provided ones.  If there is not currently
577      * a Loader for the ID, a new one is created and started.
578      *
579      * <p>This function should generally be used when a component is initializing,
580      * to ensure that a Loader it relies on is created.  This allows it to re-use
581      * an existing Loader's data if there already is one, so that for example
582      * when an {@link Activity} is re-created after a configuration change it
583      * does not need to re-create its loaders.
584      *
585      * <p>Note that in the case where an existing Loader is re-used, the
586      * <var>args</var> given here <em>will be ignored</em> because you will
587      * continue using the previous Loader.
588      *
589      * @param id A unique (to this LoaderManager instance) identifier under
590      * which to manage the new Loader.
591      * @param args Optional arguments that will be propagated to
592      * {@link LoaderCallbacks#onCreateLoader(int, Bundle) LoaderCallbacks.onCreateLoader()}.
593      * @param callback Interface implementing management of this Loader.  Required.
594      * Its onCreateLoader() method will be called while inside of the function to
595      * instantiate the Loader object.
596      */
597     @SuppressWarnings("unchecked")
initLoader(int id, Bundle args, LoaderManager.LoaderCallbacks<D> callback)598     public <D> Loader<D> initLoader(int id, Bundle args, LoaderManager.LoaderCallbacks<D> callback) {
599         if (mCreatingLoader) {
600             throw new IllegalStateException("Called while creating a loader");
601         }
602 
603         LoaderInfo info = mLoaders.get(id);
604 
605         if (DEBUG) Log.v(TAG, "initLoader in " + this + ": args=" + args);
606 
607         if (info == null) {
608             // Loader doesn't already exist; create.
609             info = createAndInstallLoader(id, args,  (LoaderManager.LoaderCallbacks<Object>)callback);
610             if (DEBUG) Log.v(TAG, "  Created new loader " + info);
611         } else {
612             if (DEBUG) Log.v(TAG, "  Re-using existing loader " + info);
613             info.mCallbacks = (LoaderManager.LoaderCallbacks<Object>)callback;
614         }
615 
616         if (info.mHaveData && mStarted) {
617             // If the loader has already generated its data, report it now.
618             info.callOnLoadFinished(info.mLoader, info.mData);
619         }
620 
621         return (Loader<D>)info.mLoader;
622     }
623 
624     /**
625      * Call to re-create the Loader associated with a particular ID.  If there
626      * is currently a Loader associated with this ID, it will be
627      * canceled/stopped/destroyed as appropriate.  A new Loader with the given
628      * arguments will be created and its data delivered to you once available.
629      *
630      * <p>This function does some throttling of Loaders.  If too many Loaders
631      * have been created for the given ID but not yet generated their data,
632      * new calls to this function will create and return a new Loader but not
633      * actually start it until some previous loaders have completed.
634      *
635      * <p>After calling this function, any previous Loaders associated with
636      * this ID will be considered invalid, and you will receive no further
637      * data updates from them.
638      *
639      * @param id A unique (to this LoaderManager instance) identifier under
640      * which to manage the new Loader.
641      * @param args Optional arguments that will be propagated to
642      * {@link LoaderCallbacks#onCreateLoader(int, Bundle) LoaderCallbacks.onCreateLoader()}.
643      * @param callback Interface implementing management of this Loader.  Required.
644      * Its onCreateLoader() method will be called while inside of the function to
645      * instantiate the Loader object.
646      */
647     @SuppressWarnings("unchecked")
restartLoader(int id, Bundle args, LoaderManager.LoaderCallbacks<D> callback)648     public <D> Loader<D> restartLoader(int id, Bundle args, LoaderManager.LoaderCallbacks<D> callback) {
649         if (mCreatingLoader) {
650             throw new IllegalStateException("Called while creating a loader");
651         }
652 
653         LoaderInfo info = mLoaders.get(id);
654         if (DEBUG) Log.v(TAG, "restartLoader in " + this + ": args=" + args);
655         if (info != null) {
656             LoaderInfo inactive = mInactiveLoaders.get(id);
657             if (inactive != null) {
658                 if (info.mHaveData) {
659                     // This loader now has data...  we are probably being
660                     // called from within onLoadComplete, where we haven't
661                     // yet destroyed the last inactive loader.  So just do
662                     // that now.
663                     if (DEBUG) Log.v(TAG, "  Removing last inactive loader: " + info);
664                     inactive.mDeliveredData = false;
665                     inactive.destroy();
666                     info.mLoader.abandon();
667                     mInactiveLoaders.put(id, info);
668                 } else {
669                     // We already have an inactive loader for this ID that we are
670                     // waiting for!  What to do, what to do...
671                     if (!info.mStarted) {
672                         // The current Loader has not been started...  we thus
673                         // have no reason to keep it around, so bam, slam,
674                         // thank-you-ma'am.
675                         if (DEBUG) Log.v(TAG, "  Current loader is stopped; replacing");
676                         mLoaders.put(id, null);
677                         info.destroy();
678                     } else {
679                         // Now we have three active loaders... we'll queue
680                         // up this request to be processed once one of the other loaders
681                         // finishes or is canceled.
682                         if (DEBUG) Log.v(TAG, "  Current loader is running; attempting to cancel");
683                         info.cancel();
684                         if (info.mPendingLoader != null) {
685                             if (DEBUG) Log.v(TAG, "  Removing pending loader: " + info.mPendingLoader);
686                             info.mPendingLoader.destroy();
687                             info.mPendingLoader = null;
688                         }
689                         if (DEBUG) Log.v(TAG, "  Enqueuing as new pending loader");
690                         info.mPendingLoader = createLoader(id, args,
691                                 (LoaderManager.LoaderCallbacks<Object>)callback);
692                         return (Loader<D>)info.mPendingLoader.mLoader;
693                     }
694                 }
695             } else {
696                 // Keep track of the previous instance of this loader so we can destroy
697                 // it when the new one completes.
698                 if (DEBUG) Log.v(TAG, "  Making last loader inactive: " + info);
699                 info.mLoader.abandon();
700                 mInactiveLoaders.put(id, info);
701             }
702         }
703 
704         info = createAndInstallLoader(id, args,  (LoaderManager.LoaderCallbacks<Object>)callback);
705         return (Loader<D>)info.mLoader;
706     }
707 
708     /**
709      * Rip down, tear apart, shred to pieces a current Loader ID.  After returning
710      * from this function, any Loader objects associated with this ID are
711      * destroyed.  Any data associated with them is destroyed.  You better not
712      * be using it when you do this.
713      * @param id Identifier of the Loader to be destroyed.
714      */
destroyLoader(int id)715     public void destroyLoader(int id) {
716         if (mCreatingLoader) {
717             throw new IllegalStateException("Called while creating a loader");
718         }
719 
720         if (DEBUG) Log.v(TAG, "destroyLoader in " + this + " of " + id);
721         int idx = mLoaders.indexOfKey(id);
722         if (idx >= 0) {
723             LoaderInfo info = mLoaders.valueAt(idx);
724             mLoaders.removeAt(idx);
725             info.destroy();
726         }
727         idx = mInactiveLoaders.indexOfKey(id);
728         if (idx >= 0) {
729             LoaderInfo info = mInactiveLoaders.valueAt(idx);
730             mInactiveLoaders.removeAt(idx);
731             info.destroy();
732         }
733         if (mActivity != null && !hasRunningLoaders()) {
734             mActivity.mFragments.startPendingDeferredFragments();
735         }
736     }
737 
738     /**
739      * Return the most recent Loader object associated with the
740      * given ID.
741      */
742     @SuppressWarnings("unchecked")
getLoader(int id)743     public <D> Loader<D> getLoader(int id) {
744         if (mCreatingLoader) {
745             throw new IllegalStateException("Called while creating a loader");
746         }
747 
748         LoaderInfo loaderInfo = mLoaders.get(id);
749         if (loaderInfo != null) {
750             if (loaderInfo.mPendingLoader != null) {
751                 return (Loader<D>)loaderInfo.mPendingLoader.mLoader;
752             }
753             return (Loader<D>)loaderInfo.mLoader;
754         }
755         return null;
756     }
757 
doStart()758     void doStart() {
759         if (DEBUG) Log.v(TAG, "Starting in " + this);
760         if (mStarted) {
761             RuntimeException e = new RuntimeException("here");
762             e.fillInStackTrace();
763             Log.w(TAG, "Called doStart when already started: " + this, e);
764             return;
765         }
766 
767         mStarted = true;
768 
769         // Call out to sub classes so they can start their loaders
770         // Let the existing loaders know that we want to be notified when a load is complete
771         for (int i = mLoaders.size()-1; i >= 0; i--) {
772             mLoaders.valueAt(i).start();
773         }
774     }
775 
doStop()776     void doStop() {
777         if (DEBUG) Log.v(TAG, "Stopping in " + this);
778         if (!mStarted) {
779             RuntimeException e = new RuntimeException("here");
780             e.fillInStackTrace();
781             Log.w(TAG, "Called doStop when not started: " + this, e);
782             return;
783         }
784 
785         for (int i = mLoaders.size()-1; i >= 0; i--) {
786             mLoaders.valueAt(i).stop();
787         }
788         mStarted = false;
789     }
790 
doRetain()791     void doRetain() {
792         if (DEBUG) Log.v(TAG, "Retaining in " + this);
793         if (!mStarted) {
794             RuntimeException e = new RuntimeException("here");
795             e.fillInStackTrace();
796             Log.w(TAG, "Called doRetain when not started: " + this, e);
797             return;
798         }
799 
800         mRetaining = true;
801         mStarted = false;
802         for (int i = mLoaders.size()-1; i >= 0; i--) {
803             mLoaders.valueAt(i).retain();
804         }
805     }
806 
finishRetain()807     void finishRetain() {
808         if (mRetaining) {
809             if (DEBUG) Log.v(TAG, "Finished Retaining in " + this);
810 
811             mRetaining = false;
812             for (int i = mLoaders.size()-1; i >= 0; i--) {
813                 mLoaders.valueAt(i).finishRetain();
814             }
815         }
816     }
817 
doReportNextStart()818     void doReportNextStart() {
819         for (int i = mLoaders.size()-1; i >= 0; i--) {
820             mLoaders.valueAt(i).mReportNextStart = true;
821         }
822     }
823 
doReportStart()824     void doReportStart() {
825         for (int i = mLoaders.size()-1; i >= 0; i--) {
826             mLoaders.valueAt(i).reportStart();
827         }
828     }
829 
doDestroy()830     void doDestroy() {
831         if (!mRetaining) {
832             if (DEBUG) Log.v(TAG, "Destroying Active in " + this);
833             for (int i = mLoaders.size()-1; i >= 0; i--) {
834                 mLoaders.valueAt(i).destroy();
835             }
836         }
837 
838         if (DEBUG) Log.v(TAG, "Destroying Inactive in " + this);
839         for (int i = mInactiveLoaders.size()-1; i >= 0; i--) {
840             mInactiveLoaders.valueAt(i).destroy();
841         }
842         mInactiveLoaders.clear();
843     }
844 
845     @Override
toString()846     public String toString() {
847         StringBuilder sb = new StringBuilder(128);
848         sb.append("LoaderManager{");
849         sb.append(Integer.toHexString(System.identityHashCode(this)));
850         sb.append(" in ");
851         DebugUtils.buildShortClassTag(mActivity, sb);
852         sb.append("}}");
853         return sb.toString();
854     }
855 
856     @Override
dump(String prefix, FileDescriptor fd, PrintWriter writer, String[] args)857     public void dump(String prefix, FileDescriptor fd, PrintWriter writer, String[] args) {
858         if (mLoaders.size() > 0) {
859             writer.print(prefix); writer.println("Active Loaders:");
860             String innerPrefix = prefix + "    ";
861             for (int i=0; i < mLoaders.size(); i++) {
862                 LoaderInfo li = mLoaders.valueAt(i);
863                 writer.print(prefix); writer.print("  #"); writer.print(mLoaders.keyAt(i));
864                         writer.print(": "); writer.println(li.toString());
865                 li.dump(innerPrefix, fd, writer, args);
866             }
867         }
868         if (mInactiveLoaders.size() > 0) {
869             writer.print(prefix); writer.println("Inactive Loaders:");
870             String innerPrefix = prefix + "    ";
871             for (int i=0; i < mInactiveLoaders.size(); i++) {
872                 LoaderInfo li = mInactiveLoaders.valueAt(i);
873                 writer.print(prefix); writer.print("  #"); writer.print(mInactiveLoaders.keyAt(i));
874                         writer.print(": "); writer.println(li.toString());
875                 li.dump(innerPrefix, fd, writer, args);
876             }
877         }
878     }
879 
hasRunningLoaders()880     public boolean hasRunningLoaders() {
881         boolean loadersRunning = false;
882         final int count = mLoaders.size();
883         for (int i = 0; i < count; i++) {
884             final LoaderInfo li = mLoaders.valueAt(i);
885             loadersRunning |= li.mStarted && !li.mDeliveredData;
886         }
887         return loadersRunning;
888     }
889 }
890