Activity manager service :activity 启动流程中process的切换过程

launcher 等把对应startActivity的请求发送到AMS后, 最终进入startProcessLocked @AMS,

  Process.ProcessStartResult startResult = Process.start("android.app.ActivityThread",
                    app.processName, uid, uid, gids, debugFlags, mountExternal,
                    app.info.targetSdkVersion, app.info.seinfo, null);

注意这里的参数android.app.ActivityThread 等很关键,,记住ActivityThread里也有main方法, 会是后面fork app进程执行的入口。

 public static void main(String[] args) {
        SamplingProfilerIntegration.start();
        Looper.prepareMainLooper();
        ...
        ActivityThread thread = new ActivityThread();
        thread.attach(false);

        if (sMainThreadHandler == null) {
            sMainThreadHandler = thread.getHandler();
        }

        AsyncTask.init();

        if (false) {
            Looper.myLooper().setMessageLogging(new
                    LogPrinter(Log.DEBUG, "ActivityThread"));
        }

        Looper.loop();

再来看Process里start函数:
经过多层调用call到zygoteSendArgsAndGetResult(), 连接Zygote的LocalSocket, 请求Zygote完成fork process,

在开机Zygote完成framework的启动后, 进入到loop socket connect的状态:
runSelectLoop()@ZygoteInit.java
有socket请求时会走runOnce() @ZygoteConnection.java,拿到app具体参数。
然后通过Zygote.forkAndSpecialize() fork具体进程。 @/libcore/dalvik/src/main/java/dalvik/system/Zygote.java,

fork完成后在子进程中处理app的任务,
handleChildProc()

 try {
         ZygoteInit.invokeStaticMain(cloader, className, mainArgs);
     } catch (RuntimeException ex) {
         logAndPrintError(newStderr, "Error starting.", ex);
     }

这里className 就是最开始的参数:android.app.ActivityThread,

接着就会跑ActivityThread的main函数了。 而此时运行的process已经切换到新fork的process. 只要执行启动activity具体的生命周期函数就可以了。

ActivityThread里通过 attach()函数关联具体app的过程,并执行app onCreate函数。

    try {
                mInstrumentation = new Instrumentation();
                ContextImpl context = new ContextImpl();
                context.init(getSystemContext().mPackageInfo, null, this);
                Application app = Instrumentation.newApplication(Application.class, context);
                mAllApplications.add(app);
                mInitialApplication = app;
                app.onCreate();
            } catch (Exception e) {
                throw new RuntimeException(
                        "Unable to instantiate Application():" + e.toString(), e);
            }

总结进程切换的主要原理是通过在zygote fork的进程中通过reflect 调用ActivityThread, 从而关联到具体app的onCreate回掉函数。

你可能感兴趣的:(android)