Activity的onPause()、onStop()和onDestroy()里要做的事情

时间:2023-09-13 11:19:44

onPause():

  • 当系统调用你的activity中的onPause(),从技术上讲,那意味着你的activity仍然处于部分可见的状态,当时大多数时候,那意味着用户正在离开这个activity并马上会进入Stopped state. 你通常应该在onPause()回调方法里面做下面的事情:
    • 停止动画或者是其他正在运行的操作,那些都会导致CPU的浪费.
    • 提交没有保存的改变,但是仅仅是在用户离开时期待保存的内容(such as a draft email).
    • 释放系统资源,例如broadcast receivers, sensors (like GPS), 或者是其他任何会影响到电量的资源。
    • 例如, 如果你的程序使用Camera,onPause()会是一个比较好的地方去做那些释放资源的操作。
  1. @Override
  2. public void onPause() {
  3. super.onPause(); // Always call the superclass method first
  4. // Release the Camera because we don't need it when paused
  5. // and other activities might need to use it.
  6. if (mCamera != null) {
  7. mCamera.release()
  8. mCamera = null;
  9. }
  10. }
  • 通常,你not应该使用onPause()来保存用户改变的数据 (例如填入表格中的个人信息) 到永久磁盘上。仅仅当你确认用户期待那些改变能够被自动保存的时候such as when drafting an email),你可以把那些数据存到permanent storage 。然而,你应该避免在onPause()时执行CPU-intensive 的工作,例如写数据到DB,因为它会导致切换到下一个activity变得缓慢(你应该把那些heavy-load的工作放到onStop()去做)。
  • 如果你的activity实际上是要被Stop,那么你应该为了切换的顺畅而减少在OnPause()方法里面的工作量。
  • Note:当你的activity处于暂停状态,Activity实例是驻留在内存中的,并且在activity 恢复的时候重新调用。你不需要在恢复到Resumed状态的一系列回调方法中重新初始化组件。
OnStop():
  • 当你的activity调用onStop()方法, activity不再可见,并且应该释放那些不再需要的所有资源。一旦你的activity停止了,系统会在不再需要这个activity时摧毁它的实例。在极端情况下,系统会直接杀死你的app进程,并且不执行activity的onDestroy()回调方法, 因此你需要使用onStop()来释放资源,从而避免内存泄漏。(这点需要注意)
  • 尽管onPause()方法是在onStop()之前调用,你应该使用onStop()来执行那些CPU intensive的shut-down操作,例如writing information to a database.
  • 例如,下面是一个在onStop()的方法里面保存笔记草稿到persistent storage的示例:
  1. @Override
  2. protected void onStop() {
  3. super.onStop(); // Always call the superclass method first
  4. // Save the note's current draft, because the activity is stopping
  5. // and we want to be sure the current note progress isn't lost.
  6. ContentValues values = new ContentValues();
  7. values.put(NotePad.Notes.COLUMN_NAME_NOTE, getCurrentNoteText());
  8. values.put(NotePad.Notes.COLUMN_NAME_TITLE, getCurrentNoteTitle());
  9. getContentResolver().update(
  10. mUri, // The URI for the note to update.
  11. values, // The map of column names and new values to apply to them.
  12. null, // No SELECT criteria are used.
  13. null // No WHERE columns are used.
  14. );
  15. }
  • 当你的activity已经停止,Activity对象会保存在内存中,并且在activity resume的时候重新被调用到。你不需要在恢复到Resumed state状态前重新初始化那些被保存在内存中的组件。系统同样保存了每一个在布局中的视图的当前状态,如果用户在EditText组件中输入了text,它会被保存,因此不需要保存与恢复它。
  • Note:即时系统会在activity stop的时候销毁这个activity,它仍然会保存View objects (such as text in an EditText) 到一个Bundle中,并且在用户返回这个activity时恢复他们(下一个会介绍在activity销毁与重新建立时如何使用Bundle来保存其他数据的状态).
onDestroy():
  • 当系统Destory你的activity,它会为你的activity调用onDestroy()方法。因为我们会在onStop方法里面做释放资源的操作,那么onDestory方法则是你最后去清除那些可能导致内存泄漏的地方。因此你需要确保那些线程都被destroyed并且所有的操作都被停止。
参考:http://hukai.me/android-training-course-in-chinese/basics/activity-lifecycle/pausing.html
http://hukai.me/android-training-course-in-chinese/basics/activity-lifecycle/stopping.html