Activity啓動流程

一直都想過要去看一看一個activity是怎麼啓動起來的,但一直都沒有靜下心去認真看一看,現在趁着有時間好好閱讀了一下源碼,加上網上一些同志的分享,終於吧代碼擼的比較清楚了,怕時間一久,又忘記了,趕緊記下來,如果有什麼錯誤和遺漏的話,看官們也請指出。(本文中源碼出自Android API 23)

首先我們打開activitystartActivity方法:

@Override
public void startActivity(Intent intent) {
   mBase.startActivity(intent);
}

Activity 繼承於 Context ,這是個抽象類,裏面並沒有實現 startActivity() 這個方法,查了一下它的子類,嗯哼,就看了 ContextWrapper 實現了它,但是,這個 mBase 又是什麼鬼?嗯,也是一個 Context 對象,但具體是那個類呢,查了一下 Context 的繼承關係,找到了 ContentImpl 這個類,看一下這個類的介紹:

/**
* Common implementation of Context API, which provides the base
* context object for Activity and other application components.
*/
class ContextImpl extends Context {...}

這個類就是Context的Api的共同的實現類了,上面說到的 mBase 對象實際上說的就是這個類的實例了,那麼這個對象是怎麼來的,啥時候實例化的?不急,往下看,遲早要知道的。


好了,現在來看一下 ContentImpl startActivity() 的實現:

@Override
public void startActivity(Intent intent) {
   warnIfCallingFromSystemProcess();
   startActivity(intent, null);
}
@Override
public void startActivity(Intent intent, Bundle options) {
   warnIfCallingFromSystemProcess();
   
if ((intent.getFlags()&Intent.FLAG_ACTIVITY_NEW_TASK) == 0) {
       
throw new AndroidRuntimeException(
               
"Calling startActivity() from outside of an Activity "
               
+ " context requires the FLAG_ACTIVITY_NEW_TASK flag."
               
+ " Is this really what you want?");
   }
   
mMainThread.getInstrumentation().execStartActivity(
           getOuterContext(),
mMainThread.getApplicationThread(), null,
           (Activity)
null, intent, -1, options);

}

看紅色代碼部分,mMainThread 就是 ActivityThread 類的實例,整個app進程的入口main()函數也是在這個類中的,這個 mMainThread 提供了一個 Instrumentation 對象

/**
* Base class for implementing application instrumentation code.  When running
* with instrumentation turned on, this class will be instantiated for you
* before any of the application code, allowing you to monitor all of the
* interaction the system has with the application.  An Instrumentation
* implementation is described to the system through an AndroidManifest.xml's
* <instrumentation> tag.
*/
public class Instrumentation {...}

簡單的說,它就是用來監控應用中各種交互行爲,從註釋上看,我們可以通過 Manifest 來指定一個我們自己實現的 Instrumentation 類,好了這個不是重點,讓我們看一下一個類怎麼 startActivity 的吧:

public ActivityResult execStartActivity(
       Context who, IBinder contextThread, IBinder token, Activity target,
       Intent intent,
int requestCode, Bundle options) {
   //...
   //前面的不是重點


   
try {
       intent.migrateExtraStreamToClipData();
       intent.prepareToLeaveProcess();
       
int result = ActivityManagerNative.getDefault()
           .startActivity(whoThread, who.getBasePackageName(), intent,
                   intent.resolveTypeIfNeeded(who.getContentResolver()),
                   token, target !=
null ? target.mEmbeddedID : null,
                   requestCode,
0, null, options);

       
checkStartActivityResult(result, intent);
   }
catch (RemoteException e) {
       
throw new RuntimeException("Failure from system", e);
   }
   
return null;
}

好吧,怎麼這傢伙又把啓動 activity 的事情交給別人做了。。。再點進去看:咦,怎麼。。怎麼是 IActivityManager 的接口方法,好吧,又要找它的實現類了,but 貌似找到的這個傢伙 ActivityManagerProxy 並沒有認真的做事情啊,它找了一個代理去 startActivity()去了,那我們就去找這個代理去,從 IActivityManager extends IInterface 這個類的繼承方式我們就能發現這其實就是Android中的Binder機制,跨進程的通信機制,ActivityManagerProxy 找的代理其實就是 ActivityManagerService ActivityManagerService 屬於系統進程,它對手機中所有的activity進行了統一的管理,源碼中就是這麼個獲取的:

IBinder b = ServiceManager.getService("activity");
IActivityManager am = asInterface(b);

熟悉的 aidl 嘛,好了好了,感覺有點跑偏,往回扯,來看看 AMS 怎麼實現 startActivity() 的:

@Override
public final int startActivity(IApplicationThread caller, String callingPackage,
       Intent intent, String resolvedType, IBinder resultTo, String resultWho, int requestCode,
       int startFlags, ProfilerInfo profilerInfo, Bundle options) {
   return startActivityAsUser(caller, callingPackage, intent, resolvedType, resultTo,
       resultWho, requestCode, startFlags, profilerInfo, options,
       UserHandle.getCallingUserId());
}

@Override
public final int startActivityAsUser(IApplicationThread caller, String callingPackage,
       Intent intent, String resolvedType, IBinder resultTo, String resultWho, int requestCode,
       int startFlags, ProfilerInfo profilerInfo, Bundle options, int userId) {
   enforceNotIsolatedCaller("startActivity");
   userId = handleIncomingUser(Binder.getCallingPid(), Binder.getCallingUid(), userId,
           false, ALLOW_FULL_ONLY, "startActivity", null);
   // TODO: Switch to user app stacks here.
   return mStackSupervisor.startActivityMayWait(caller, -1, callingPackage, intent,
           resolvedType, null, null, resultTo, resultWho, requestCode, startFlags,
           profilerInfo, null, null, options, false, userId, null, null);
}

找到了,一個 mStackSupervisor 對象,這又是幹啥的?字面上的意思就是活動棧的管理器,先不管了,讓我們先看看它的實現(...啊,代碼不是一般的長,咱們只劃重點):

final int startActivityMayWait(IApplicationThread caller, int callingUid,
       String callingPackage, Intent intent, String resolvedType,
       IVoiceInteractionSession voiceSession, IVoiceInteractor voiceInteractor,
       IBinder resultTo, String resultWho,
int requestCode, int startFlags,
       ProfilerInfo profilerInfo, WaitResult outResult, Configuration config,
       Bundle options,
boolean ignoreTargetSecurity, int userId,
       IActivityContainer iContainer, TaskRecord inTask) {
   
// Refuse possible leaked file descriptors
   
if (intent != null && intent.hasFileDescriptors()) {
       
throw new IllegalArgumentException("File descriptors passed in Intent");
   }
   
boolean componentSpecified = intent.getComponent() != null;

   
// Don't modify the client's object!
   
intent = new Intent(intent);

   
// Collect information about the target of the Intent.
   
ActivityInfo aInfo =
           resolveActivity(intent, resolvedType, startFlags, profilerInfo, userId);

   ActivityContainer container = (ActivityContainer)iContainer;
   
synchronized (mService) {
       
if (container != null && container.mParentActivity != null &&
               container.
mParentActivity.state != RESUMED) {
           
// Cannot start a child activity if the parent is not resumed.
           
return ActivityManager.START_CANCELED;
       }
       
final int realCallingPid = Binder.getCallingPid();
       
final int realCallingUid = Binder.getCallingUid();
       
int callingPid;
       
if (callingUid >= 0) {
           callingPid = -
1;
       }
else if (caller == null) {
           callingPid = realCallingPid;
           callingUid = realCallingUid;
       }
else {
           callingPid = callingUid = -
1;
       }

       
final ActivityStack stack;
       
if (container == null || container.mStack.isOnHomeDisplay()) {
           stack =
mFocusedStack;
       }
else {
           stack = container.
mStack;
       }
       stack.
mConfigWillChange = config != null && mService.mConfiguration.diff(config) != 0;
       
if (DEBUG_CONFIGURATION) Slog.v(TAG_CONFIGURATION,
               
"Starting activity when config will change = " + stack.mConfigWillChange);

       
final long origId = Binder.clearCallingIdentity();

       
if (aInfo != null &&
               (aInfo.
applicationInfo.privateFlags
                       
&ApplicationInfo.PRIVATE_FLAG_CANT_SAVE_STATE) != 0) {
           
// This may be a heavy-weight process!  Check to see if we already
           // have another, different heavy-weight process running.
           
if (aInfo.processName.equals(aInfo.applicationInfo.packageName)) {
               
if (mService.mHeavyWeightProcess != null &&
                       (
mService.mHeavyWeightProcess.info.uid != aInfo.applicationInfo.uid ||
                       !
mService.mHeavyWeightProcess.processName.equals(aInfo.processName))) {
                   
int appCallingUid = callingUid;
                   
if (caller != null) {
                       Proce***ecord callerApp =
mService.getRecordForAppLocked(caller);
                       
if (callerApp != null) {
                           appCallingUid = callerApp.
info.uid;
                       }
else {
                           Slog.
w(TAG, "Unable to find app for caller " + caller
                                 +
" (pid=" + callingPid + ") when starting: "
                                 
+ intent.toString());
                           ActivityOptions.
abort(options);
                           
return ActivityManager.START_PERMISSION_DENIED;
                       }
                   }

                   IIntentSender target =
mService.getIntentSenderLocked(
                           ActivityManager.
INTENT_SENDER_ACTIVITY, "android",
                           appCallingUid, userId,
null, null, 0, new Intent[] { intent },
                           
new String[] { resolvedType }, PendingIntent.FLAG_CANCEL_CURRENT
                           
| PendingIntent.FLAG_ONE_SHOT, null);

                   Intent newIntent =
new Intent();
                   
if (requestCode >= 0) {
                       
// Caller is requesting a result.
                       
newIntent.putExtra(HeavyWeightSwitcherActivity.KEY_HAS_RESULT, true);
                   }
                   newIntent.putExtra(HeavyWeightSwitcherActivity.
KEY_INTENT,
                           
new IntentSender(target));
                   
if (mService.mHeavyWeightProcess.activities.size() > 0) {
                       ActivityRecord hist =
mService.mHeavyWeightProcess.activities.get(0);
                       newIntent.putExtra(HeavyWeightSwitcherActivity.
KEY_CUR_APP,
                               hist.
packageName);
                       newIntent.putExtra(HeavyWeightSwitcherActivity.
KEY_CUR_TASK,
                               hist.
task.taskId);
                   }
                   newIntent.putExtra(HeavyWeightSwitcherActivity.
KEY_NEW_APP,
                           aInfo.
packageName);
                   newIntent.setFlags(intent.getFlags());
                   newIntent.setClassName(
"android",
                           HeavyWeightSwitcherActivity.
class.getName());
                   intent = newIntent;
                   resolvedType =
null;
                   caller =
null;
                   callingUid = Binder.
getCallingUid();
                   callingPid = Binder.
getCallingPid();
                   componentSpecified =
true;
                   
try {
                       ResolveInfo rInfo =
                           AppGlobals.
getPackageManager().resolveIntent(
                                   intent,
null,
                                   PackageManager.
MATCH_DEFAULT_ONLY
                                   
| ActivityManagerService.STOCK_PM_FLAGS, userId);
                       aInfo = rInfo !=
null ? rInfo.activityInfo : null;
                       aInfo =
mService.getActivityInfoForUser(aInfo, userId);
                   }
catch (RemoteException e) {
                       aInfo =
null;
                   }
               }
           }
       }

       
int res = startActivityLocked(caller, intent, resolvedType, aInfo,
               voiceSession, voiceInteractor, resultTo, resultWho,
               requestCode, callingPid, callingUid, callingPackage,
               realCallingPid, realCallingUid, startFlags, options, ignoreTargetSecurity,
               componentSpecified, null, container, inTask);


       Binder.
restoreCallingIdentity(origId);

       
if (stack.mConfigWillChange) {
           
// If the caller also wants to switch to a new configuration,
           // do so now.  This allows a clean switch, as we are waiting
           // for the current activity to pause (so we will not destroy
           // it), and have not yet started the next activity.
           
mService.enforceCallingPermission(android.Manifest.permission.CHANGE_CONFIGURATION,
                   
"updateConfiguration()");
           stack.
mConfigWillChange = false;
           
if (DEBUG_CONFIGURATION) Slog.v(TAG_CONFIGURATION,
                   
"Updating to new configuration after starting activity.");
           
mService.updateConfigurationLocked(config, null, false, false);
       }

       
if (outResult != null) {
           outResult.
result = res;
           
if (res == ActivityManager.START_SUCCESS) {
               
mWaitingActivityLaunched.add(outResult);
               
do {
                   
try {
                       
mService.wait();
                   }
catch (InterruptedException e) {
                   }
               }
while (!outResult.timeout && outResult.who == null);
           }
else if (res == ActivityManager.START_TASK_TO_FRONT) {
               ActivityRecord r = stack.topRunningActivityLocked(
null);
               
if (r.nowVisible && r.state == RESUMED) {
                   outResult.
timeout = false;
                   outResult.
who = new ComponentName(r.info.packageName, r.info.name);
                   outResult.
totalTime = 0;
                   outResult.
thisTime = 0;
               }
else {
                   outResult.
thisTime = SystemClock.uptimeMillis();
                   
mWaitingActivityVisible.add(outResult);
                   
do {
                       
try {
                           
mService.wait();
                       }
catch (InterruptedException e) {
                       }
                   }
while (!outResult.timeout && outResult.who == null);
               }
           }
       }

       
return res;
   }
}

繼續往裏走~~

final int startActivityLocked(IApplicationThread caller,
       Intent intent, String resolvedType, ActivityInfo aInfo,
       IVoiceInteractionSession voiceSession, IVoiceInteractor voiceInteractor,
       IBinder resultTo, String resultWho,
int requestCode,
       
int callingPid, int callingUid, String callingPackage,
       
int realCallingPid, int realCallingUid, int startFlags, Bundle options,
       
boolean ignoreTargetSecurity, boolean componentSpecified, ActivityRecord[] outActivity,
       ActivityContainer container, TaskRecord inTask) {
   
int err = ActivityManager.START_SUCCESS;


   //...
   //中間各種邏輯判斷,這裏就不貼出來了,賊多。。。我們依舊劃個重點

   doPendingActivityLaunchesLocked(
false);

   
err = startActivityUncheckedLocked(r, sourceRecord, voiceSession, voiceInteractor,
           startFlags,
true, options, inTask);//這裏記住一下倒數第3個參數是true。

   
if (err < 0) {
       
// If someone asked to have the keyguard dismissed on the next
       // activity start, but we are not actually doing an activity
       // switch...  just dismiss the keyguard now, because we
       // probably want to see whatever is behind it.
       
notifyActivityDrawnForKeyguard();
   }
   
return err;
}

還得往裏走。。。好多層:

final int startActivityUncheckedLocked(final ActivityRecord r, ActivityRecord sourceRecord,
       IVoiceInteractionSession voiceSession, IVoiceInteractor voiceInteractor, int startFlags,
       boolean doResume, Bundle options, TaskRecord inTask) {
   //前面N個判斷...

   mService.grantUriPermissionFromIntentLocked(callingUid, r.packageName,
           intent, r.getUriPermissionsLocked(), r.userId);

   if (sourceRecord != null && sourceRecord.isRecentsActivity()) {
       r.task.setTaskToReturnTo(RECENTS_ACTIVITY_TYPE);
   }
   if (newTask) {
       EventLog.writeEvent(EventLogTags.AM_CREATE_TASK, r.userId, r.task.taskId);
   }
   ActivityStack.logStartActivity(EventLogTags.AM_CREATE_ACTIVITY, r, r.task);
   targetStack.mLastPausedActivity = null;
   targetStack.startActivityLocked(r, newTask, doResume, keepCurTransition, options);
   if (!launchTaskBehind) {
       // Don't set focus on an activity that's going to the back.
       mService.setFocusedActivityLocked(r, "startedActivity");
   }
   return ActivityManager.START_SUCCESS;
}

這個方法就屌的不行了,好幾百行,一行行看下來絕對的心力交瘁,換個角度來看,這個方法的返回值比較有特點,他們都是 ActiviyManager 中的常量,讓我們看一看這些常量代表的意思:


/**
* Result for IActivityManaqer.startActivity: the activity was started
* successfully as normal.
* @hide
*/
public static final int START_SUCCESS = 0;

/**
* Result for IActivityManaqer.startActivity: the caller asked that the Intent not
* be executed if it is the recipient, and that is indeed the case.
* @hide
*/
public static final int START_RETURN_INTENT_TO_CALLER = 1;

/**
* Result for IActivityManaqer.startActivity: activity wasn't really started, but
* a task was simply brought to the foreground.
* @hide
*/
public static final int START_TASK_TO_FRONT = 2;

/**
* Result for IActivityManaqer.startActivity: activity wasn't really started, but
* the given Intent was given to the existing top activity.
* @hide
*/
public static final int START_DELIVERED_TO_TOP = 3;

好了,就貼幾個,可以看出這些都是我們啓動以後 activity 的返回的各種結果,可想而知前面的各種邏輯是幹嘛的了。那麼這樣我們就只找成功的那一個常量值 START_SUCCESS,在 startActivityLocked() 我們發現之後方法末尾返回了 START_SUCCESS,其餘都不是,那麼關鍵代碼也就比較好找了,請看上面紅色的重點~~,好了繼續走你,這回就來到了 ActivityStack 這個類了:

final void startActivityLocked(ActivityRecord r, boolean newTask,
       
boolean doResume, boolean keepCurTransition, Bundle options) {
   //邏輯判斷。。比如Home鍵什麼的

   
if (doResume) {
       
mStackSupervisor.resumeTopActivitiesLocked(this, r, options);
   }

}

還記得前面劃重點的參數吧,就是doResume,前面的一些邏輯代碼咱們就不談了,有興趣的小盆友有時間可以慢慢看,咱們繼續往下走 ActivityStackSupervisor.resumeTopActivitiesLocked()

boolean resumeTopActivitiesLocked(ActivityStack targetStack, ActivityRecord target,
       Bundle targetOptions) {
   if (targetStack == null) {
       targetStack = mFocusedStack;
   }
   // Do targetStack first.
   boolean result = false;
   if (isFrontStack(targetStack)) {
       result = targetStack.resumeTopActivityLocked(target, targetOptions);
   }

   for (int displayNdx = mActivityDisplays.size() - 1; displayNdx >= 0; --displayNdx) {
       final ArrayList<ActivityStack> stacks = mActivityDisplays.valueAt(displayNdx).mStacks;
       for (int stackNdx = stacks.size() - 1; stackNdx >= 0; --stackNdx) {
           final ActivityStack stack = stacks.get(stackNdx);
           if (stack == targetStack) {
               // Already started above.
               continue;
           }
           if (isFrontStack(stack)) {
               stack.resumeTopActivityLocked(null);
           }
       }
   }
   return result;
}

這個方法代碼量比較少,關鍵的地方就是 resumeTopActivityLocked 了,感覺越來越接近目標了,還有點小激動。。。ActivityStack.resumeTopActivityLocked():

final boolean resumeTopActivityLocked(ActivityRecord prev, Bundle options) {
   if (mStackSupervisor.inResumeTopActivity) {
       // Don't even start recursing.
       return false;
   }

   boolean result = false;
   try {
       // Protect against recursion.
       mStackSupervisor.inResumeTopActivity = true;
       if (mService.mLockScreenShown == ActivityManagerService.LOCK_SCREEN_LEAVING) {
           mService.mLockScreenShown = ActivityManagerService.LOCK_SCREEN_HIDDEN;
           mService.updateSleepIfNeededLocked();
       }
       result = resumeTopActivityInnerLocked(prev, options);
   } finally {
       mStackSupervisor.inResumeTopActivity = false;
   }
   return result;
}

嗯,是一個內部具體實現方法:

private boolean resumeTopActivityInnerLocked(ActivityRecord prev, Bundle options) {
     //.....
   ActivityStack lastStack = mStackSupervisor.getLastStack();
   if (next.app != null && next.app.thread != null) {


           //.........
       try {
           
           //...........
         
       } catch (Exception e) {
           // Whoops, need to restart this activity!
           if (DEBUG_STATES) Slog.v(TAG_STATES, "Resume failed; resetting state to "
                   + lastState + ": " + next);
           next.state = lastState;
           if (lastStack != null) {
               lastStack.mResumedActivity = lastResumedActivity;
           }
           Slog.i(TAG, "Restarting because process died: " + next);
           if (!next.hasBeenLaunched) {
               next.hasBeenLaunched = true;
           } else  if (SHOW_APP_STARTING_PREVIEW && lastStack != null &&
                   mStackSupervisor.isFrontStack(lastStack)) {
               mWindowManager.setAppStartingWindow(
                       next.appToken, next.packageName, next.theme,
                       mService.compatibilityInfoForPackageLocked(next.info.applicationInfo),
                       next.nonLocalizedLabel, next.labelRes, next.icon, next.logo,
                       next.windowFlags, null, true);
           }
           mStackSupervisor.startSpecificActivityLocked(next, true, false);
           if (DEBUG_STACK) mStackSupervisor.validateTopActivitiesLocked();
           return true;
       }

       // From this point on, if something goes wrong there is no way
       // to recover the activity.
       try {
           next.visible = true;
           completeResumeLocked(next);
       } catch (Exception e) {
           // If any exception gets thrown, toss away this
           // activity and try the next one.
           Slog.w(TAG, "Exception thrown during resume of " + next, e);
           requestFinishActivityLocked(next.appToken, Activity.RESULT_CANCELED, null,
                   "resume-exception", true);
           if (DEBUG_STACK) mStackSupervisor.validateTopActivitiesLocked();
           return true;
       }
       next.stopped = false;

   } else {
       // Whoops, need to restart this activity!
       if (!next.hasBeenLaunched) {
           next.hasBeenLaunched = true;
       } else {
           if (SHOW_APP_STARTING_PREVIEW) {
               mWindowManager.setAppStartingWindow(
                       next.appToken, next.packageName, next.theme,
                       mService.compatibilityInfoForPackageLocked(
                               next.info.applicationInfo),
                       next.nonLocalizedLabel,
                       next.labelRes, next.icon, next.logo, next.windowFlags,
                       null, true);
           }
           if (DEBUG_SWITCH) Slog.v(TAG_SWITCH, "Restarting: " + next);
       }
       if (DEBUG_STATES) Slog.d(TAG_STATES, "resumeTopActivityLocked: Restarting " + next);
       mStackSupervisor.startSpecificActivityLocked(next, true, true);
   }

   if (DEBUG_STACK) mStackSupervisor.validateTopActivitiesLocked();
   return true;
}

阿西吧,將近400行。。老衲差點就要圓寂在這源碼上面了。。耐着性子看了好幾遍,還是讓老衲找出了重點,前面的判斷大概都有比如從 activity 後臺到前臺,從暫停到恢復,回到home頁,屏幕旋轉,切換到不同棧 activity 等等各種情況,但是這個不是咱們要的,咱就是要一個 activity 從無到有,所以咱只留相關的代碼,ActivityStackSupervisor.startSpecificActivityLocked():

void startSpecificActivityLocked(ActivityRecord r,
       boolean andResume, boolean checkConfig) {
   // Is this activity's application already running?
   Proce***ecord app = mService.getProce***ecordLocked(r.processName,
           r.info.applicationInfo.uid, true);

   r.task.stack.setLaunchTime(r);

   if (app != null && app.thread != null) {
       try {
           if ((r.info.flags&ActivityInfo.FLAG_MULTIPROCESS) == 0
                   || !"android".equals(r.info.packageName)) {
               // Don't add this if it is a platform component that is marked
               // to run in multiple processes, because this is actually
               // part of the framework so doesn't make sense to track as a
               // separate apk in the process.
               app.addPackage(r.info.packageName, r.info.applicationInfo.versionCode,
                       mService.mProcessStats);
           }
           realStartActivityLocked(r, app, andResume, checkConfig);
           return;
       } catch (RemoteException e) {
           Slog.w(TAG, "Exception when starting activity "
                   + r.intent.getComponent().flattenToShortString(), e);
       }

       // If a dead object exception was thrown -- fall through to
       // restart the application.
   }

   mService.startProcessLocked(r.processName, r.info.applicationInfo, true, 0,
           "activity", r.intent.getComponent(), false, false, true);
}

啊,終於找到一個比較少代碼的方法了,從邏輯判斷上看 realStartActivityLocked 纔是開啓我們應用內的方法嘛,至於 startProcessLocked,它是啓動應用進程的,咱們先不管,下一篇文章再理它,看看 realStartActivityLocked 怎麼個實現的:

final boolean realStartActivityLocked(ActivityRecord r,
       Proce***ecord app,
boolean andResume, boolean checkConfig)
       
throws RemoteException {

   //...check..

   
app.thread.scheduleLaunchActivity(new Intent(r.intent), r.appToken,
           System.
identityHashCode(r), r.info, new Configuration(mService.mConfiguration),
           
new Configuration(stack.mOverrideConfig), r.compat, r.launchedFromPackage,
           task.
voiceInteractor, app.repProcState, r.icicle, r.persistentState, results,
           newIntents, !andResume,
mService.isNextTransitionForward(), profilerInfo);

   // do other things...

   
return true;
}

忽略掉其他的代碼,我們只看重點,這個 thread 是誰呢?還記得我們的 ActivityThread 吧,這個thread其實就是 ActivityThread 中的內部類對象 ApplicationThread ,我們去看一下這個方法的實現,看了那麼多代碼,這裏其實已經很接近了:

public final void scheduleLaunchActivity(Intent intent, IBinder token, int ident,
       ActivityInfo info, Configuration curConfig, Configuration overrideConfig,
       CompatibilityInfo compatInfo, String referrer, IVoiceInteractor voiceInteractor,
       int procState, Bundle state, PersistableBundle persistentState,
       List<ResultInfo> pendingResults, List<ReferrerIntent> pendingNewIntents,
       boolean notResumed, boolean isForward, ProfilerInfo profilerInfo) {

   updateProcessState(procState, false);

   ActivityClientRecord r = new ActivityClientRecord();

   r.token = token;
   r.ident = ident;
   r.intent = intent;
   r.referrer = referrer;
   r.voiceInteractor = voiceInteractor;
   r.activityInfo = info;
   r.compatInfo = compatInfo;
   r.state = state;
   r.persistentState = persistentState;

   r.pendingResults = pendingResults;
   r.pendingIntents = pendingNewIntents;

   r.startsNotResumed = notResumed;
   r.isForward = isForward;

   r.profilerInfo = profilerInfo;

   r.overrideConfig = overrideConfig;
   updatePendingConfiguration(curConfig);

   sendMessage(H.LAUNCH_ACTIVITY, r);
}

唔,找一下LAUNCH_ACTIVITY這個常量,最終執行了handlerLaunchActivity()

private void handleLaunchActivity(ActivityClientRecord r, Intent customIntent) {
   
// If we are getting ready to gc after going to the background, well
   // we are back active so skip it.
   
unscheduleGcIdler();
   
mSomeActivitiesChanged = true;

   
if (r.profilerInfo != null) {
       
mProfiler.setProfiler(r.profilerInfo);
       
mProfiler.startProfiling();
   }

   
// Make sure we are running with the most recent config.
   
handleConfigurationChanged(null, null);

   
if (localLOGV) Slog.v(
       
TAG, "Handling launch of " + r);

   
// Initialize before creating the activity
   
WindowManagerGlobal.initialize();

   Activity a = performLaunchActivity(r, customIntent);

   
if (a != null) {
       r.
createdConfig = new Configuration(mConfiguration);
       Bundle oldState = r.
state;
       
handleResumeActivity(r.token, false, r.isForward,
               !r.activity.mFinished && !r.startsNotResumed);//以後說一說這個段代碼

       
if (!r.activity.mFinished && r.startsNotResumed) {
           
// The activity manager actually wants this one to start out
           // paused, because it needs to be visible but isn't in the
           // foreground.  We accomplish this by going through the
           // normal startup (because activities expect to go through
           // onResume() the first time they run, before their window
           // is displayed), and then pausing it.  However, in this case
           // we do -not- need to do the full pause cycle (of freezing
           // and such) because the activity manager assumes it can just
           // retain the current state it has.
           
try {
               r.
activity.mCalled = false;
               
mInstrumentation.callActivityOnPause(r.activity);
               
// We need to keep around the original state, in case
               // we need to be created again.  But we only do this
               // for pre-Honeycomb apps, which always save their state
               // when pausing, so we can not have them save their state
               // when restarting from a paused state.  For HC and later,
               // we want to (and can) let the state be saved as the normal
               // part of stopping the activity.
               
if (r.isPreHoneycomb()) {
                   r.
state = oldState;
               }
               
if (!r.activity.mCalled) {
                   
throw new SuperNotCalledException(
                       
"Activity " + r.intent.getComponent().toShortString() +
                       
" did not call through to super.onPause()");
               }

           }
catch (SuperNotCalledException e) {
               
throw e;

           }
catch (Exception e) {
               
if (!mInstrumentation.onException(r.activity, e)) {
                   
throw new RuntimeException(
                           
"Unable to pause activity "
                           
+ r.intent.getComponent().toShortString()
                           +
": " + e.toString(), e);
               }
           }
           r.
paused = true;
       }
   }
else {
       
// If there was an error, for any reason, tell the activity
       // manager to stop us.
       
try {
           ActivityManagerNative.
getDefault()
               .finishActivity(r.
token, Activity.RESULT_CANCELED, null, false);
       }
catch (RemoteException ex) {
           
// Ignore
       
}
   }
}

走進科學~~performLaunchActivity()

private Activity performLaunchActivity(ActivityClientRecord r, Intent customIntent) {
   
// System.out.println("##### [" + System.currentTimeMillis() + "] ActivityThread.performLaunchActivity(" + r + ")");

   
ActivityInfo aInfo = r.activityInfo;
   
if (r.packageInfo == null) {
       r.
packageInfo = getPackageInfo(aInfo.applicationInfo, r.compatInfo,
               Context.
CONTEXT_INCLUDE_CODE);
   }

   ComponentName component = r.
intent.getComponent();
   
if (component == null) {
       component = r.
intent.resolveActivity(
           
mInitialApplication.getPackageManager());
       r.
intent.setComponent(component);
   }

   
if (r.activityInfo.targetActivity != null) {
       component =
new ComponentName(r.activityInfo.packageName,
               r.
activityInfo.targetActivity);
   }

   Activity activity =
null;
   
try {
       
java.lang.ClassLoader cl = r.packageInfo.getClassLoader();
       activity = mInstrumentation.newActivity(
               cl, component.getClassName(), r.intent);

       StrictMode.
incrementExpectedActivityCount(activity.getClass());
       r.
intent.setExtrasClassLoader(cl);
       r.
intent.prepareToEnterProcess();
       
if (r.state != null) {
           r.
state.setClassLoader(cl);
       }
   }
catch (Exception e) {
       
if (!mInstrumentation.onException(activity, e)) {
           
throw new RuntimeException(
               
"Unable to instantiate activity " + component
               +
": " + e.toString(), e);
       }
   }

   
try {
       Application app = r.
packageInfo.makeApplication(false, mInstrumentation);

       
if (localLOGV) Slog.v(TAG, "Performing launch of " + r);
       
if (localLOGV) Slog.v(
               
TAG, r + ": app=" + app
               +
", appName=" + app.getPackageName()
               +
", pkg=" + r.packageInfo.getPackageName()
               +
", comp=" + r.intent.getComponent().toShortString()
               +
", dir=" + r.packageInfo.getAppDir());

       
if (activity != null) {
           Context appContext = createBaseContextForActivity(r, activity);
           CharSequence title = r.
activityInfo.loadLabel(appContext.getPackageManager());
           Configuration config =
new Configuration(mCompatConfiguration);
           
if (DEBUG_CONFIGURATION) Slog.v(TAG, "Launching activity "
                   
+ r.activityInfo.name + " with config " + config);
           
activity.attach(appContext, this, getInstrumentation(), r.token,
                   r.ident, app, r.intent, r.activityInfo, title, r.parent,
                   r.embeddedID, r.lastNonConfigurationInstances, config,
                   r.referrer, r.voiceInteractor);


           
if (customIntent != null) {
               activity.
mIntent = customIntent;
           }
           r.
lastNonConfigurationInstances = null;
           activity.
mStartedActivity = false;
           
int theme = r.activityInfo.getThemeResource();
           
if (theme != 0) {
               activity.setTheme(theme);
           }

           activity.
mCalled = false;
           
if (r.isPersistable()) {
               mInstrumentation.callActivityOnCreate(activity, r.state, r.persistentState);
           } else {
               mInstrumentation.callActivityOnCreate(activity, r.state);
           }

           
if (!activity.mCalled) {
               
throw new SuperNotCalledException(
                   
"Activity " + r.intent.getComponent().toShortString() +
                   
" did not call through to super.onCreate()");
           }
           r.
activity = activity;
           r.
stopped = true;
           
if (!r.activity.mFinished) {
               activity.performStart();
               r.
stopped = false;
           }
           
if (!r.activity.mFinished) {
               
if (r.isPersistable()) {
                   
if (r.state != null || r.persistentState != null) {
                       
mInstrumentation.callActivityOnRestoreInstanceState(activity, r.state,
                               r.
persistentState);
                   }
               }
else if (r.state != null) {
                   
mInstrumentation.callActivityOnRestoreInstanceState(activity, r.state);
               }
           }
           
if (!r.activity.mFinished) {
               activity.
mCalled = false;
               
if (r.isPersistable()) {
                   
mInstrumentation.callActivityOnPostCreate(activity, r.state,
                           r.
persistentState);
               }
else {
                   
mInstrumentation.callActivityOnPostCreate(activity, r.state);
               }
               
if (!activity.mCalled) {
                   
throw new SuperNotCalledException(
                       
"Activity " + r.intent.getComponent().toShortString() +
                       
" did not call through to super.onPostCreate()");
               }
           }
       }
       r.
paused = true;

       
mActivities.put(r.token, r);

   }
catch (SuperNotCalledException e) {
       
throw e;

   }
catch (Exception e) {
       
if (!mInstrumentation.onException(activity, e)) {
           
throw new RuntimeException(
               
"Unable to start activity " + component
               +
": " + e.toString(), e);
       }
   }

   
return activity;
}

哇哇哇,滿屏的親切感啊,通過反射創建了一個 Activity 的實例,然後使用 Instrumentation 執行 onCreate 部分,還有那個最初讓我們疑惑的 ContextImpl 對象,用 attach 關聯了起來,這裏都一一給出了答案。。感覺very nice啊。。。



好了流程就說到這裏了,下次再說一下應用程序的啓動流程...看官們要是有看到不對的地方,請指正,請大力打臉。。。同求進步。。。。

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章