android activity manager service,Android 8.0 ActivityManagerService 启动流程

本文主要是介绍android activity manager service,Android 8.0 ActivityManagerService 启动流程,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

ActivityManagerService(以下简称为 AMS)是 Android 中最核心的系统服务之一,我认为 AMS 最重要的功能有两个:

对应用程序进程的管理:应用程序进程的创建、销毁和优先级的调整

对应用程序进程中的四大组件进行管理:最常见的 Activity、Service 等四大组件的生命周期方法都是通过 AMS 间接地调度执行的

这篇文章对 Android 8.0 系统中的 AMS 启动流程加以分析。

一. 整体结构

首先,我们来看一下 AMS 中管理应用程序进程和应用程序进程中四大组件的相关类和他们的关系图

98ccde25a57c

AMS.png

ActivityThread 是应用程序进程的入口,负责对应用程序进程中主线程的管理,被 AMS 调度从而直接调用四大组件的生命周期方法

在 AMS 中并不能直接管理四大组件,四大组件在 AMS 中都有一个对应的类,AMS 中管理的是 ActivityRecord 等对象,再通过 Binder 通信向 ApplicationThread 发送消息,ApplicationThread 再通过 Handler 将消息发送到主线程中,最后就会去调用四大组件的生命周期方法

应用程序进程中的四大组件

AMS 中的四大组件

Activity

ActivityRecord

Service

ServiceRecord

Broadcast

BroadcastRecord

ContentProvider

ContentProviderRecord

接下来,我们分析下 AMS 的启动流程

二. SystemServer 的启动

和之前分析 WMS 的启动一样,从 SystemServer 中开始分析。

2.1 SystemServer 初始化

public final class SystemServer {

/**

* The main entry point from zygote.

*/

public static void main(String[] args) {

new SystemServer().run();

}

private void run() {

......

// 初始化虚拟机内存

VMRuntime.getRuntime().clearGrowthLimit();

VMRuntime.getRuntime().setTargetHeapUtilization(0.8f);

//设置进程优先级,初始化 MainLooper

android.os.Process.setThreadPriority(android.os.Process.THREAD_PRIORITY_FOREGROUND);

android.os.Process.setCanSelfBackground(false);

Looper.prepareMainLooper();

// 加载 native services

System.loadLibrary("android_servers");

......

// 代码 1,初始化 System Context

createSystemContext();

// 代码 2,创建 SystemServiceManager 对象

mSystemServiceManager = new SystemServiceManager(mSystemContext);

mSystemServiceManager.setRuntimeRestarted(mRuntimeRestart);

LocalServices.addService(SystemServiceManager.class, mSystemServiceManager);

// 为初始化任务准备线程池

SystemServerInitThreadPool.get();

// 代码 3,启动系统服务

try {

traceBeginAndSlog("StartServices");

startBootstrapServices();

startCoreServices();

startOtherServices();

SystemServerInitThreadPool.shutdown();

} catch (Throwable ex) {

Slog.e("System", "******************************************");

Slog.e("System", "************ Failure starting system services", ex);

throw ex;

} finally {

traceEnd();

}

......

Looper.loop();

}

}

从上面代码中可以看到,在 SystemServer 中也持有 Context 对象,这个 Context 真是无处不在。SystemServer 初始化过程中,我们主要分析三点:

代码 1 处初始化 SystemContext

代码 2 处创建 SystemServiceManager 对象

代码 3 处启动系统服务,共分为三种系统服务:系统引导服务(BootstrapServices)、核心服务(CoreServices)和其他服务(OtherServices)

2.2 初始化 SystemContext

首先来到 createSystemContext() 方法中,代码如下所示

private void createSystemContext() {

ActivityThread activityThread = ActivityThread.systemMain();

mSystemContext = activityThread.getSystemContext();

mSystemContext.setTheme(DEFAULT_SYSTEM_THEME);

final Context systemUiContext = activityThread.getSystemUiContext();

systemUiContext.setTheme(DEFAULT_SYSTEM_THEME);

}

在 createSystemContext() 中调用 ActivityThread.systemMain() 创建了一个 ActivityThread 对象,并设置了此 ActivityThread 对象 SystemContext 和 SystemUIContext 的主题,接着我们看下 ActivityThread.systemMain() 方法

public final class ActivityThread {

......

public static ActivityThread systemMain() {

// The system process on low-memory devices do not get to use hardware

// accelerated drawing, since this can add too much overhead to the

// process.

if (!ActivityManager.isHighEndGfx()) {

ThreadedRenderer.disable(true);

} else {

ThreadedRenderer.enableForegroundTrimming();

}

ActivityThread thread = new ActivityThread();

thread.attach(true);

return thread;

}

......

private void attach(boolean system) {

sCurrentActivityThread = this;

mSystemThread = system;

if (!system) {

// 非系统启动

......

} else {

// 通过 SystemServer 启动 ActivityThread 对象

android.ddm.DdmHandleAppName.setAppName("system_process",

UserHandle.myUserId());

try {

// 代码 1,创建 Instrumentation、Application、Context 对象

mInstrumentation = new Instrumentation();

ContextImpl context = ContextImpl.createAppContext(

this, getSystemContext().mPackageInfo);

mInitialApplication = context.mPackageInfo.makeApplication(true, null);

mInitialApplication.onCreate();

} catch (Exception e) {

throw new RuntimeException(

"Unable to instantiate Application():" + e.toString(), e);

}

}

// 为 ViewRootImpl 设置配置更新回调,当系统资源配置(如:系统字体)发生变化时,通知系统配置发生变化

ViewRootImpl.ConfigChangedCallback configChangedCallback

= (Configuration globalConfig) -> {

synchronized (mResourcesManager) {

// We need to apply this change to the resources immediately, because upon returning

// the view hierarchy will be informed about it.

if (mResourcesManager.applyConfigurationToResourcesLocked(globalConfig,

null /* compat */)) {

updateLocaleListFromAppContext(mInitialApplication.getApplicationContext(),

mResourcesManager.getConfiguration().getLocales());

// This actually changed the resources! Tell everyone about it.

if (mPendingConfiguration == null

|| mPendingConfiguration.isOtherSeqNewer(globalConfig)) {

mPendingConfiguration = globalConfig;

sendMessage(H.CONFIGURATION_CHANGED, globalConfig);

}

}

}

};

ViewRootImpl.addConfigCallback(configChangedCallback);

}

......

}

在代码 1 处,创建了一个 Instrumentation 对象和 Application 对象,可见 Application 不仅在应用程序进程中有,在 SystemServer 进程中也有

在创建 Application 对象时,通过 getSystemContext() 方法可以得到System Context 对象

public ContextImpl getSystemContext() {

synchronized (this) {

if (mSystemContext == null) {

mSystemContext = ContextImpl.createSystemContext(this);

}

return mSystemContext;

}

}

在 getSystemContext() 方法中,最终调用了 ContextImpl.createSystemContext(ActivityThread mainThread) 方法创建了一个 System Context 对象,我们走到 ContextImpl 类中

class ContextImpl extends Context {

......

static ContextImpl createSystemContext(ActivityThread mainThread) {

LoadedApk packageInfo = new LoadedApk(mainThread);

ContextImpl context = new ContextImpl(null, mainThread, packageInfo, null, null, null, 0,

null);

context.setResources(packageInfo.getResources());

context.mResources.updateConfiguration(context.mResourcesManager.getConfiguration(),

context.mResourcesManager.getDisplayMetrics());

return context;

}

......

static ContextImpl createAppContext(ActivityThread mainThread, LoadedApk packageInfo) {

if (packageInfo == null) throw new IllegalArgumentException("packageInfo");

ContextImpl context = new ContextImpl(null, mainThread, packageInfo, null, null, null, 0,

null);

context.setResources(packageInfo.getResources());

return context;

}

......

}

在创建 System Context 对象时,首先创建了一个 LoadadApk 对象,然后通过 ContextImpl 构造方法创建了一个 Context 对象

2.3 SystemServiceManager 对象

然后再看下创建 SystemServiceManager 对象的创建

// Create the system service manager.

mSystemServiceManager = new SystemServiceManager(mSystemContext);

mSystemServiceManager.setRuntimeRestarted(mRuntimeRestart);

LocalServices.addService(SystemServiceManager.class, mSystemServiceManager);

通过 SystemServiceManager 的构造方法创建一个 SystemServiceManager 对象,并将该对象添加到 LocalServices 中,这两个类的源码都不复杂,简单分析一下

SystemServiceManager 对象主要用于管理 SystemService 的创建、启动等生命周期,SystemService 类是一个抽象类

在 SystemServiceManager 中都是通过反射创建 SystemService 中对象的,而且在 startService(@NonNull final SystemService service) 方法中,会将 SystemService 添加到 mServices 中,并调用 onStart() 方法

public class SystemServiceManager {

private final Context mContext;

// Services that should receive lifecycle events.

private final ArrayList mServices = new ArrayList();

......

SystemServiceManager(Context context) {

mContext = context;

}

@SuppressWarnings("unchecked")

public SystemService startService(String className) {

final Class serviceClass;

try {

serviceClass = (Class)Class.forName(className);

} catch (ClassNotFoundException ex) {

Slog.i(TAG, "Starting " + className);

throw new RuntimeException("Failed to create service " + className

+ ": service class not found, usually indicates that the caller should "

+ "have called PackageManager.hasSystemFeature() to check whether the "

+ "feature is available on this device before trying to start the "

+ "services that implement it", ex);

}

return startService(serviceClass);

}

public T startService(Class serviceClass) {

try {

final String name = serviceClass.getName();

Slog.i(TAG, "Starting " + name);

Trace.traceBegin(Trace.TRACE_TAG_SYSTEM_SERVER, "StartService " + name);

// Create the service.

if (!SystemService.class.isAssignableFrom(serviceClass)) {

throw new RuntimeException("Failed to create " + name

+ ": service must extend " + SystemService.class.getName());

}

final T service;

try {

Constructor constructor = serviceClass.getConstructor(Context.class);

service = constructor.newInstance(mContext);

} catch (InstantiationException ex) {

......

}

startService(service);

return service;

} finally {

Trace.traceEnd(Trace.TRACE_TAG_SYSTEM_SERVER);

}

}

public void startService(@NonNull final SystemService service) {

// Register it.

mServices.add(service);

// Start it.

long time = System.currentTimeMillis();

try {

service.onStart();

} catch (RuntimeException ex) {

throw new RuntimeException("Failed to start service " + service.getClass().getName()

+ ": onStart threw an exception", ex);

}

warnIfTooLong(System.currentTimeMillis() - time, service, "onStart");

}

......

}

LocalServices 中主要通过静态的 ArrayMap 持有所有的 Service 对象,它和 SystemServiceManager 有点类型,所不同的是,在 LocalServices 中持有的 Service 对象并不是 Binder 对象,只可以在同一进程中使用

public final class LocalServices {

private LocalServices() {}

private static final ArrayMap, Object> sLocalServiceObjects =

new ArrayMap, Object>();

public static T getService(Class type) {

synchronized (sLocalServiceObjects) {

return (T) sLocalServiceObjects.get(type);

}

}

public static void addService(Class type, T service) {

synchronized (sLocalServiceObjects) {

if (sLocalServiceObjects.containsKey(type)) {

throw new IllegalStateException("Overriding service registration");

}

sLocalServiceObjects.put(type, service);

}

}

}

2.4 启动 AMS 系统服务

在上面的介绍中,一共有三种服务会被启动:系统引导服务(BootstrapServices)、核心服务(CoreServices)和其他服务(OtherServices),而 AMS 属于系统引导类服务

private void startBootstrapServices() {

Slog.i(TAG, "Reading configuration...");

final String TAG_SYSTEM_CONFIG = "ReadingSystemConfig";

traceBeginAndSlog(TAG_SYSTEM_CONFIG);

SystemServerInitThreadPool.get().submit(SystemConfig::getInstance, TAG_SYSTEM_CONFIG);

traceEnd();

// 在 Installer 中会创建一些关键的目录,比如:/data/user

traceBeginAndSlog("StartInstaller");

Installer installer = mSystemServiceManager.startService(Installer.class);

traceEnd();

// 创建一些设备相关的信息

traceBeginAndSlog("DeviceIdentifiersPolicyService");

mSystemServiceManager.startService(DeviceIdentifiersPolicyService.class);

traceEnd();

// 代码 1,启动 AMS

traceBeginAndSlog("StartActivityManager");

mActivityManagerService = mSystemServiceManager.startService(

ActivityManagerService.Lifecycle.class).getService();

// 将 SystemServiceManager 对象设置给 AMS 对象

mActivityManagerService.setSystemServiceManager(mSystemServiceManager);

// 将 installer 设置给 AMS 对象

mActivityManagerService.setInstaller(installer);

traceEnd();

......

// Now that the power manager has been started, let the activity manager

// initialize power management features.

traceBeginAndSlog("InitPowerManagement");

mActivityManagerService.initPowerManagement();

traceEnd();

......

// Set up the Application instance for the system process and get started.

traceBeginAndSlog("SetSystemProcess");

mActivityManagerService.setSystemProcess();

traceEnd();

......

}

......

private void startOtherServices() {

......

traceBeginAndSlog("SetWindowManagerService");

mActivityManagerService.setWindowManager(wm);

traceEnd();

......

mActivityManagerService.systemReady(() -> {

......

traceBeginAndSlog("StartSystemUI");

try {

startSystemUi(context, windowManagerF);

} catch (Throwable e) {

reportWtf("starting System UI", e);

}

traceEnd();

......

}

}

在代码 1 处启动 AMS 时,通过 ActivityManagerService.Lifecycle 这个类,如下所示,ActivityManagerService.Lifecycle 类很简单,继承 SystemService,是一个 ActivityManagerService 的包装类

SystemServiceManager 通过 ActivityManagerService.Lifecycle 间接的持有了 AMS 的对象,然后调用了 AMS 的 initPowerManagement() 和 setSystemProcess() 方法

在 startOtherServices() 方法中,创建了 WMS 对象,并将 WMS 对象设置进 AMS 中,最后调用了 AMS 的 systemReady(final Runnable goingCallback, BootTimingsTraceLog traceLog) 方法,告诉 AMS 可以启动运行了

在 ActivityManagerService.Lifecycle 通过 AMS 的构造方法创建了一个 AMS 对象并调用了其 start() 方法

public static final class Lifecycle extends SystemService {

private final ActivityManagerService mService;

public Lifecycle(Context context) {

super(context);

mService = new ActivityManagerService(context);

}

@Override

public void onStart() {

mService.start();

}

public ActivityManagerService getService() {

return mService;

}

}

三. AMS 的启动流程

在上一节中,我们分析到了 AMS 的构造方法和 start() 方法,这一节就通过这个入口,详细的分析 AMS 的启动流程

3.1 AMS 的构造方法

public class ActivityManagerService extends IActivityManager.Stub

implements Watchdog.Monitor, BatteryStatsImpl.BatteryCallback {

......

public ActivityManagerService(Context systemContext) {

LockGuard.installLock(this, LockGuard.INDEX_ACTIVITY);

// 用于测试,可忽略

mInjector = new Injector();

// 设置 System Context 对象,此 systemContext 就是在 SystemServer 和 ActivityThread 中创建和使用的 System Context 对象

mContext = systemContext;

mFactoryTest = FactoryTest.getMode();

// 设置 ActivityThread 对象,就是在 SystemServer 中创建的 ActivityThread 对象

mSystemThread = ActivityThread.currentActivityThread();

mUiContext = mSystemThread.getSystemUiContext();

Slog.i(TAG, "Memory class: " + ActivityManager.staticGetMemoryClass());

mPermissionReviewRequired = mContext.getResources().getBoolean(

com.android.internal.R.bool.config_permissionReviewRequired);

// 创建一个 Thread 和其对应的 Handler

mHandlerThread = new ServiceThread(TAG,

THREAD_PRIORITY_FOREGROUND, false /*allowIo*/);

mHandlerThread.start();

mHandler = new MainHandler(mHandlerThread.getLooper());

mUiHandler = mInjector.getUiHandler(this);

mConstants = new ActivityManagerConstants(this, mHandler);

/* static; one-time init here */

if (sKillHandler == null) {

sKillThread = new ServiceThread(TAG + ":kill",

THREAD_PRIORITY_BACKGROUND, true /* allowIo */);

sKillThread.start();

sKillHandler = new KillHandler(sKillThread.getLooper());

}

// 创建 BroadcastQueue 前台广播对象,处理超时时长是 10s

mFgBroadcastQueue = new BroadcastQueue(this, mHandler,

"foreground", BROADCAST_FG_TIMEOUT, false);

// 创建 BroadcastQueue 后台广播对象,处理超时时长是 60s

mBgBroadcastQueue = new BroadcastQueue(this, mHandler,

"background", BROADCAST_BG_TIMEOUT, true);

mBroadcastQueues[0] = mFgBroadcastQueue;

mBroadcastQueues[1] = mBgBroadcastQueue;

// 创建 ActiveServices 对象,用于管理 ServiceRecord 对象

mServices = new ActiveServices(this);

// 创建 ProviderMap 对象,用于管理 ContentProviderRecord 对象

mProviderMap = new ProviderMap(this);

// 创建 AppErrors 对象,用于处理应用程序的异常

mAppErrors = new AppErrors(mUiContext, this);

// 初始化 /data/system 目录

File dataDir = Environment.getDataDirectory();

File systemDir = new File(dataDir, "system");

systemDir.mkdirs();

// 初始化电池状态信息,进程状态 和 应用权限管理

mBatteryStatsService = new BatteryStatsService(systemDir, mHandler);

mBatteryStatsService.getActiveStatistics().readLocked();

mBatteryStatsService.scheduleWriteToDisk();

mOnBattery = DEBUG_POWER ? true

: mBatteryStatsService.getActiveStatistics().getIsOnBattery();

mBatteryStatsService.getActiveStatistics().setCallback(this);

mProcessStats = new ProcessStatsService(this, new File(systemDir, "procstats"));

// 启动 Android 权限检查服务,注册对应的回调接口

mAppOpsService = mInjector.getAppOpsService(new File(systemDir, "appops.xml"), mHandler);

mAppOpsService.startWatchingMode(AppOpsManager.OP_RUN_IN_BACKGROUND, null,

new IAppOpsCallback.Stub() {

@Override public void opChanged(int op, int uid, String packageName) {

if (op == AppOpsManager.OP_RUN_IN_BACKGROUND && packageName != null) {

if (mAppOpsService.checkOperation(op, uid, packageName)

!= AppOpsManager.MODE_ALLOWED) {

runInBackgroundDisabled(uid);

}

}

}

});

mGrantFile = new AtomicFile(new File(systemDir, "urigrants.xml"));

mUserController = new UserController(this);

mVrController = new VrController(this);

GL_ES_VERSION = SystemProperties.getInt("ro.opengles.version",

ConfigurationInfo.GL_ES_VERSION_UNDEFINED);

if (SystemProperties.getInt("sys.use_fifo_ui", 0) != 0) {

mUseFifoUiScheduling = true;

}

mTrackingAssociations = "1".equals(SystemProperties.get("debug.track-associations"));

mTempConfig.setToDefaults();

mTempConfig.setLocales(LocaleList.getDefault());

mConfigurationSeq = mTempConfig.seq = 1;

//创建 ActivityStackSupervisor 对象,是 AMS 中 ActivityRecord 和 TaskRecord 管理和调度的重要类

mStackSupervisor = createStackSupervisor();

mStackSupervisor.onConfigurationChanged(mTempConfig);

mKeyguardController = mStackSupervisor.mKeyguardController;

mCompatModePackages = new CompatModePackages(this, systemDir, mHandler);

mIntentFirewall = new IntentFirewall(new IntentFirewallInterface(), mHandler);

mTaskChangeNotificationController =

new TaskChangeNotificationController(this, mStackSupervisor, mHandler);

// 创建 ActivityStarter 对象,用于启动 Activity

mActivityStarter = new ActivityStarter(this, mStackSupervisor);

// 最近使用的 RecentTasks

mRecentTasks = new RecentTasks(this, mStackSupervisor);

// 创建一个用于更新 CPU 信息的线程

mProcessCpuThread = new Thread("CpuTracker") {

@Override

public void run() {

synchronized (mProcessCpuTracker) {

mProcessCpuInitLatch.countDown();

mProcessCpuTracker.init();

}

while (true) {

try {

try {

synchronized(this) {

final long now = SystemClock.uptimeMillis();

long nextCpuDelay = (mLastCpuTime.get()+MONITOR_CPU_MAX_TIME)-now;

long nextWriteDelay = (mLastWriteTime+BATTERY_STATS_TIME)-now;

//Slog.i(TAG, "Cpu delay=" + nextCpuDelay

// + ", write delay=" + nextWriteDelay);

if (nextWriteDelay < nextCpuDelay) {

nextCpuDelay = nextWriteDelay;

}

if (nextCpuDelay > 0) {

mProcessCpuMutexFree.set(true);

this.wait(nextCpuDelay);

}

}

} catch (InterruptedException e) {

}

updateCpuStatsNow();

} catch (Exception e) {

Slog.e(TAG, "Unexpected exception collecting process stats", e);

}

}

}

};

// 将此 AMS 对象添加到 Watchdog 中

Watchdog.getInstance().addMonitor(this);

Watchdog.getInstance().addThread(mHandler);

}

......

}

在 AMS 的构造方法中主要做了以下事情:

初始化一些对象属性,包括 Context、ActivityThread、ServiceThread、MainHandler、ActivityManagerConstants 等对象

创建和管理四大组件相关的类对象,包括 BroadcastQueue、ActiveServices、ProviderMap、ActivityStackSupervisor、RecentTasks 和 ActivityStarter 等对象

创建一个 CPU 监控线程 mProcessCpuThread

3.2 一些初始化方法

在 start() 方法中,主要完成了以下两个事:

启动 CPU 监控线程,在启动 CPU 监控线程之前,首先将进程复位

注册电池状态服务和权限管理服务

private void start() {

// 在启动 CPU 监控线程之前,首先将进程复位

removeAllProcessGroups();

mProcessCpuThread.start();

// 注册电池状态和权限管理服务

mBatteryStatsService.publish(mContext);

mAppOpsService.publish(mContext);

Slog.d("AppOps", "AppOpsService published");

LocalServices.addService(ActivityManagerInternal.class, new LocalService());

// Wait for the synchronized block started in mProcessCpuThread,

// so that any other acccess to mProcessCpuTracker from main thread

// will be blocked during mProcessCpuTracker initialization.

try {

mProcessCpuInitLatch.await();

} catch (InterruptedException e) {

Slog.wtf(TAG, "Interrupted wait during start", e);

Thread.currentThread().interrupt();

throw new IllegalStateException("Interrupted wait during start");

}

}

除 start() 方法之外,还调用了 initPowerManagement()、setSystemProcess() 和 setWindowManager(WindowManagerService wm) 方法

// 初始化一些 PowerManager 相关类

public void initPowerManagement() {

mStackSupervisor.initPowerManagement();

mBatteryStatsService.initPowerManagement();

mLocalPowerManager = LocalServices.getService(PowerManagerInternal.class);

PowerManager pm = (PowerManager)mContext.getSystemService(Context.POWER_SERVICE);

mVoiceWakeLock = pm.newWakeLock(PowerManager.PARTIAL_WAKE_LOCK, "*voice*");

mVoiceWakeLock.setReferenceCounted(false);

}

// 初始化一些系统信息,包括 meminfo、gfxinfo、dbinfo、cpuinfo 等信息

// 并创建一个系统进行信息类 ProcessRecord 对象

public void setSystemProcess() {

try {

ServiceManager.addService(Context.ACTIVITY_SERVICE, this, true);

ServiceManager.addService(ProcessStats.SERVICE_NAME, mProcessStats);

ServiceManager.addService("meminfo", new MemBinder(this));

ServiceManager.addService("gfxinfo", new GraphicsBinder(this));

ServiceManager.addService("dbinfo", new DbBinder(this));

if (MONITOR_CPU_USAGE) {

ServiceManager.addService("cpuinfo", new CpuBinder(this));

}

ServiceManager.addService("permission", new PermissionController(this));

ServiceManager.addService("processinfo", new ProcessInfoService(this));

ApplicationInfo info = mContext.getPackageManager().getApplicationInfo(

"android", STOCK_PM_FLAGS | MATCH_SYSTEM_ONLY);

mSystemThread.installSystemApplicationInfo(info, getClass().getClassLoader());

synchronized (this) {

ProcessRecord app = newProcessRecordLocked(info, info.processName, false, 0);

app.persistent = true;

app.pid = MY_PID;

app.maxAdj = ProcessList.SYSTEM_ADJ;

app.makeActive(mSystemThread.getApplicationThread(), mProcessStats);

synchronized (mPidsSelfLocked) {

mPidsSelfLocked.put(app.pid, app);

}

updateLruProcessLocked(app, false, null);

updateOomAdjLocked();

}

} catch (PackageManager.NameNotFoundException e) {

throw new RuntimeException(

"Unable to find android system package", e);

}

}

// 持有 WMS 对象的引用,并为 mStackSupervisor 和 mActivityStarter 对象设置 WMS 对象

public void setWindowManager(WindowManagerService wm) {

mWindowManager = wm;

mStackSupervisor.setWindowManager(wm);

mActivityStarter.setWindowManager(wm);

}

在所有初始化完成之后,会调用 systemReady(final Runnable goingCallback, BootTimingsTraceLog traceLog) 方法

public void systemReady(final Runnable goingCallback, BootTimingsTraceLog traceLog) {

synchronized(this) {

if (mSystemReady) {

// If we're done calling all the receivers, run the next "boot phase" passed in

// by the SystemServer

if (goingCallback != null) {

goingCallback.run();

}

return;

}

// 调用 mVrController、mUserController 等对象的 onSystemReady() 方法

mLocalDeviceIdleController

= LocalServices.getService(DeviceIdleController.LocalService.class);

mAssistUtils = new AssistUtils(mContext);

mVrController.onSystemReady();

// Make sure we have the current profile info, since it is needed for security checks.

mUserController.onSystemReady();

mRecentTasks.onSystemReadyLocked();

mAppOpsService.systemReady();

mSystemReady = true;

}

......

// 启动系统 Home 应用程序,也就是 Launcher 应用

startHomeActivityLocked(currentUserId, "systemReady");

......

}

systemReady(final Runnable goingCallback, BootTimingsTraceLog traceLog) 方法调完之后,AMS 系统服务大概的启动流程就分析完成了,启动时序图如下所示

98ccde25a57c

AMS1.png

这篇关于android activity manager service,Android 8.0 ActivityManagerService 启动流程的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/242671

相关文章

Android中Dialog的使用详解

《Android中Dialog的使用详解》Dialog(对话框)是Android中常用的UI组件,用于临时显示重要信息或获取用户输入,本文给大家介绍Android中Dialog的使用,感兴趣的朋友一起... 目录android中Dialog的使用详解1. 基本Dialog类型1.1 AlertDialog(

SpringBoot启动报错的11个高频问题排查与解决终极指南

《SpringBoot启动报错的11个高频问题排查与解决终极指南》这篇文章主要为大家详细介绍了SpringBoot启动报错的11个高频问题的排查与解决,文中的示例代码讲解详细,感兴趣的小伙伴可以了解一... 目录1. 依赖冲突:NoSuchMethodError 的终极解法2. Bean注入失败:No qu

Android Kotlin 高阶函数详解及其在协程中的应用小结

《AndroidKotlin高阶函数详解及其在协程中的应用小结》高阶函数是Kotlin中的一个重要特性,它能够将函数作为一等公民(First-ClassCitizen),使得代码更加简洁、灵活和可... 目录1. 引言2. 什么是高阶函数?3. 高阶函数的基础用法3.1 传递函数作为参数3.2 Lambda

Android自定义Scrollbar的两种实现方式

《Android自定义Scrollbar的两种实现方式》本文介绍两种实现自定义滚动条的方法,分别通过ItemDecoration方案和独立View方案实现滚动条定制化,文章通过代码示例讲解的非常详细,... 目录方案一:ItemDecoration实现(推荐用于RecyclerView)实现原理完整代码实现

一文带你了解SpringBoot中启动参数的各种用法

《一文带你了解SpringBoot中启动参数的各种用法》在使用SpringBoot开发应用时,我们通常需要根据不同的环境或特定需求调整启动参数,那么,SpringBoot提供了哪些方式来配置这些启动参... 目录一、启动参数的常见传递方式二、通过命令行参数传递启动参数三、使用 application.pro

SpringBoot项目启动报错"找不到或无法加载主类"的解决方法

《SpringBoot项目启动报错找不到或无法加载主类的解决方法》在使用IntelliJIDEA开发基于SpringBoot框架的Java程序时,可能会出现找不到或无法加载主类com.example.... 目录一、问题描述二、排查过程三、解决方案一、问题描述在使用 IntelliJ IDEA 开发基于

Android App安装列表获取方法(实践方案)

《AndroidApp安装列表获取方法(实践方案)》文章介绍了Android11及以上版本获取应用列表的方案调整,包括权限配置、白名单配置和action配置三种方式,并提供了相应的Java和Kotl... 目录前言实现方案         方案概述一、 androidManifest 三种配置方式

Spring AI ectorStore的使用流程

《SpringAIectorStore的使用流程》SpringAI中的VectorStore是一种用于存储和检索高维向量数据的数据库或存储解决方案,它在AI应用中发挥着至关重要的作用,本文给大家介... 目录一、VectorStore的基本概念二、VectorStore的核心接口三、VectorStore的

python之流程控制语句match-case详解

《python之流程控制语句match-case详解》:本文主要介绍python之流程控制语句match-case使用,具有很好的参考价值,希望对大家有所帮助,如有错误或未考虑完全的地方,望不吝赐... 目录match-case 语法详解与实战一、基础值匹配(类似 switch-case)二、数据结构解构匹

MyBatis-Plus中Service接口的lambdaUpdate用法及实例分析

《MyBatis-Plus中Service接口的lambdaUpdate用法及实例分析》本文将详细讲解MyBatis-Plus中的lambdaUpdate用法,并提供丰富的案例来帮助读者更好地理解和应... 目录深入探索MyBATis-Plus中Service接口的lambdaUpdate用法及示例案例背景