美文网首页
ams,wms都需要用到的token解析

ams,wms都需要用到的token解析

作者: kwbsky | 来源:发表于2019-12-09 17:21 被阅读0次

    大家在用dialog或者popupwindow的时候是否碰到过这样的异常:
    BadTokenException:Unable to add window -- token @binderxxx is not valid; is your activity running?
    或者BadTokenException: Unable to add window -- token null is not valid; is your activity running?
    相信对于新手而言,十有八九会碰到这个问题,搜索之后一般都是说需要在activity创建之后、销毁之前去做弹窗,dialog的context不能传application等等。那么具体原因呢?这就是我们今天要讲的内容。
    既然是跟activity的生命周期有关,那么我们就从源头开始着手,看下activity的创建过程。
    启动activity的时候,从ams#startActivity开始就进入了systemserver进程,然后用传入的参数构建一个activityStarter对象,并执行execute方法。经过几次方法跳转之后,会进入如下方法:

    private int startActivity(IApplicationThread caller, Intent intent, Intent ephemeralIntent,
                String resolvedType, ActivityInfo aInfo, ResolveInfo rInfo,
                IVoiceInteractionSession voiceSession, IVoiceInteractor voiceInteractor,
                IBinder resultTo, String resultWho, int requestCode, int callingPid, int callingUid,
                String callingPackage, int realCallingPid, int realCallingUid, int startFlags,
                SafeActivityOptions options,
                boolean ignoreTargetSecurity, boolean componentSpecified, ActivityRecord[] outActivity,
                TaskRecord inTask, boolean allowPendingRemoteAnimationRegistryLookup) {
    ...
    ActivityRecord r = new ActivityRecord(mService, callerApp, callingPid, callingUid,
                    callingPackage, intent, resolvedType, aInfo, mService.getGlobalConfiguration(),
                    resultRecord, resultWho, requestCode, componentSpecified, voiceSession != null,
                    mSupervisor, checkedOptions, sourceRecord);
    
    return startActivity(r, sourceRecord, voiceSession, voiceInteractor, startFlags,
                    true /* doResume */, checkedOptions, inTask, outActivity);
    ...
    }
    

    会创建一个ActivityRecord对象,这个类存储了activity启动过程需要的很多参数,然后一路带下去。这个类十分重要,希望同学们能记住。接下来看一下他的构造函数:

    ActivityRecord(ActivityManagerService _service, ProcessRecord _caller, int _launchedFromPid,
                int _launchedFromUid, String _launchedFromPackage, Intent _intent, String _resolvedType,
                ActivityInfo aInfo, Configuration _configuration,
                ActivityRecord _resultTo, String _resultWho, int _reqCode,
                boolean _componentSpecified, boolean _rootVoiceInteraction,
                ActivityStackSupervisor supervisor, ActivityOptions options,
                ActivityRecord sourceRecord) {
            service = _service;
            appToken = new Token(this, _intent);
            ...
    }
    

    创建了一个Token对象,并赋值给全局变量appToken。那这个Token又是什么呢?

    static class Token extends IApplicationToken.Stub {
            private final WeakReference<ActivityRecord> weakActivity;
            private final String name;
    
            Token(ActivityRecord activity, Intent intent) {
                weakActivity = new WeakReference<>(activity);
                name = intent.getComponent().flattenToShortString();
            }
    
            private static ActivityRecord tokenToActivityRecordLocked(Token token) {
                if (token == null) {
                    return null;
                }
                ActivityRecord r = token.weakActivity.get();
                if (r == null || r.getStack() == null) {
                    return null;
                }
                return r;
            }
    
            @Override
            public String toString() {
                StringBuilder sb = new StringBuilder(128);
                sb.append("Token{");
                sb.append(Integer.toHexString(System.identityHashCode(this)));
                sb.append(' ');
                sb.append(weakActivity.get());
                sb.append('}');
                return sb.toString();
            }
    
            @Override
            public String getName() {
                return name;
            }
        }
    

    他其实是activityRecord的静态内部类,他是一个binder。为什么要设计成binder,因为需要跨进程传递给我们自己的进程。那么我们自己的进程持有他又有什么用呢?后面会讲。
    方法继续跳下去:

    private int startActivityUnchecked(final ActivityRecord r, ActivityRecord sourceRecord,
                IVoiceInteractionSession voiceSession, IVoiceInteractor voiceInteractor,
                int startFlags, boolean doResume, ActivityOptions options, TaskRecord inTask,
                ActivityRecord[] outActivity) {
    ...
    mTargetStack.startActivityLocked(mStartActivity, topFocused, newTask, mKeepCurTransition,
                    mOptions);
    ...
    }
    

    ActivityStack#startActivityLocked

    if (r.getWindowContainerController() == null) {
                r.createWindowContainer();
            }
    
    void createWindowContainer() {
    mWindowContainerController = new AppWindowContainerController(taskController, appToken,
                    this, Integer.MAX_VALUE /* add on top */, info.screenOrientation, fullscreen,
                    (info.flags & FLAG_SHOW_FOR_ALL_USERS) != 0, info.configChanges,
                    task.voiceSession != null, mLaunchTaskBehind, isAlwaysFocusable(),
                    appInfo.targetSdkVersion, mRotationAnimationHint,
                    ActivityManagerService.getInputDispatchingTimeoutLocked(this) * 1000000L);
    
            task.addActivityToTop(this);
    }
    

    这里的r就是一路传下来的ActivityRecord,调用他的createWindowContainer方法,内部会创建一个AppWindowContainerController对象,通过构造函数把appToken传进去。

    AppWindowContainerController

    public AppWindowContainerController(TaskWindowContainerController taskController,
                IApplicationToken token, AppWindowContainerListener listener, int index,
                int requestedOrientation, boolean fullscreen, boolean showForAllUsers, int configChanges,
                boolean voiceInteraction, boolean launchTaskBehind, boolean alwaysFocusable,
                int targetSdkVersion, int rotationAnimationHint, long inputDispatchingTimeoutNanos,
                WindowManagerService service) {
    ...
    atoken = createAppWindow(mService, token, voiceInteraction, task.getDisplayContent(),
                        inputDispatchingTimeoutNanos, fullscreen, showForAllUsers, targetSdkVersion,
                        requestedOrientation, rotationAnimationHint, configChanges, launchTaskBehind,
                        alwaysFocusable, this);
    ...
    }
    
    AppWindowToken createAppWindow(WindowManagerService service, IApplicationToken token,
                boolean voiceInteraction, DisplayContent dc, long inputDispatchingTimeoutNanos,
                boolean fullscreen, boolean showForAllUsers, int targetSdk, int orientation,
                int rotationAnimationHint, int configChanges, boolean launchTaskBehind,
                boolean alwaysFocusable, AppWindowContainerController controller) {
            return new AppWindowToken(service, token, voiceInteraction, dc,
                    inputDispatchingTimeoutNanos, fullscreen, showForAllUsers, targetSdk, orientation,
                    rotationAnimationHint, configChanges, launchTaskBehind, alwaysFocusable,
                    controller);
        }
    

    AppWindowContainerController的构造函数里创建了一个AppWindowToken对象,并且又把appToken传了进去。我们发现AppWindowToken持有了appToken,然后在构造函数中会调用super的构造函数:

    WindowToken(WindowManagerService service, IBinder _token, int type, boolean persistOnEmpty,
                DisplayContent dc, boolean ownerCanManageAppTokens, boolean roundedCornerOverlay) {
            super(service);
            token = _token;
            windowType = type;
            mPersistOnEmpty = persistOnEmpty;
            mOwnerCanManageAppTokens = ownerCanManageAppTokens;
            mRoundedCornerOverlay = roundedCornerOverlay;
            onDisplayChanged(dc);
        }
    
    void onDisplayChanged(DisplayContent dc) {
            dc.reParentWindowToken(this);
            mDisplayContent = dc;
    
            // The rounded corner overlay should not be rotated. We ensure that by moving it outside
            // the windowing layer.
            if (mRoundedCornerOverlay) {
                mDisplayContent.reparentToOverlay(mPendingTransaction, mSurfaceControl);
            }
    
            // TODO(b/36740756): One day this should perhaps be hooked
            // up with goodToGo, so we don't move a window
            // to another display before the window behind
            // it is ready.
    
            super.onDisplayChanged(dc);
        }
    
    void reParentWindowToken(WindowToken token) {
            final DisplayContent prevDc = token.getDisplayContent();
            if (prevDc == this) {
                return;
            }
            if (prevDc != null && prevDc.mTokenMap.remove(token.token) != null
                    && token.asAppWindowToken() == null) {
                // Removed the token from the map, but made sure it's not an app token before removing
                // from parent.
                token.getParent().removeChild(token);
            }
    
            addWindowToken(token.token, token);
        }
    

    最终会调用addWindowToken方法,第二个参数token是this,也就是当前的对象AppWindowToken,第一个参数token.token其实就是appToken。

    private void addWindowToken(IBinder binder, WindowToken token) {
    mTokenMap.put(binder, token);
    
    private final HashMap<IBinder, WindowToken> mTokenMap = new HashMap();
    }
    

    这里以appToken为key,对应的AppWindowToken为value,存入了一个叫mTokenMap的map中。
    方法继续跳,会进入ActivityStackSupervisor#realStartActivityLocked:

    final boolean realStartActivityLocked(ActivityRecord r, ProcessRecord app,
                boolean andResume, boolean checkConfig) throws RemoteException {
    final ClientTransaction clientTransaction = ClientTransaction.obtain(app.thread,
                            r.appToken);
    }
    

    创建了ClientTransaction对象,传入IApplicationThread和appToken。因为ClientTransaction是一个parcelable,所以他能通过ipc作为参数传入我们的进程。之前的文章说过,通过IApplicationThread,我们就可以把代码切回到我们自己的进程。不再纠结细节,直接看切回我们自己进程的代码:

    @Override
            public void scheduleTransaction(ClientTransaction transaction) throws RemoteException {
                ActivityThread.this.scheduleTransaction(transaction);
            }
    
    void scheduleTransaction(ClientTransaction transaction) {
            transaction.preExecute(this);
            sendMessage(ActivityThread.H.EXECUTE_TRANSACTION, transaction);
        }
    
    void scheduleTransaction(ClientTransaction transaction) {
            transaction.preExecute(this);
            sendMessage(ActivityThread.H.EXECUTE_TRANSACTION, transaction);
        }
    

    回到我们自己的进程以后,又调用外部类ActivityTrhead#scheduleTransaction,通过handler,从binder线程池切回到主线程。

    case EXECUTE_TRANSACTION:
                        final ClientTransaction transaction = (ClientTransaction) msg.obj;
                        mTransactionExecutor.execute(transaction);
                        if (isSystem()) {
                            // Client transactions inside system process are recycled on the client side
                            // instead of ClientLifecycleManager to avoid being cleared before this
                            // message is handled.
                            transaction.recycle();
                        }
                        // TODO(lifecycler): Recycle locally scheduled transactions.
                        break;
    

    然后执行了TransactionExecutor#execute:

    public void execute(ClientTransaction transaction) {
            final IBinder token = transaction.getActivityToken();
            log("Start resolving transaction for client: " + mTransactionHandler + ", token: " + token);
    
            executeCallbacks(transaction);
    
            executeLifecycleState(transaction);
            mPendingActions.clear();
            log("End resolving transaction");
        }
    
    public void executeCallbacks(ClientTransaction transaction) {
    final IBinder token = transaction.getActivityToken();
    item.execute(mTransactionHandler, token, mPendingActions);
    }
    

    从ClientTransaction取出了appToken,再传给LaunchActivityItem#execute

    @Override
        public void execute(ClientTransactionHandler client, IBinder token,
                PendingTransactionActions pendingActions) {
            Trace.traceBegin(TRACE_TAG_ACTIVITY_MANAGER, "activityStart");
            ActivityClientRecord r = new ActivityClientRecord(token, mIntent, mIdent, mInfo,
                    mOverrideConfig, mCompatInfo, mReferrer, mVoiceInteractor, mState, mPersistentState,
                    mPendingResults, mPendingNewIntents, mIsForward,
                    mProfilerInfo, client);
            client.handleLaunchActivity(r, pendingActions, null /* customIntent */);
            Trace.traceEnd(TRACE_TAG_ACTIVITY_MANAGER);
        }
    

    创建了一个ActivityClientRecord,他实际上跟ActivityRecord是对应的,一个在服务端,一个在客户端,从名字也可以看出。他持有了app Token。
    然后调用activity#handleLaunchActivity把ActivityClientRecord对象传过去。

    @Override
        public Activity handleLaunchActivity(ActivityClientRecord r,
                PendingTransactionActions pendingActions, Intent customIntent) {
    final Activity a = performLaunchActivity(r, customIntent);
    }
    
    private Activity performLaunchActivity(ActivityClientRecord r, Intent customIntent) {
    
    }
    
    ContextImpl appContext = createBaseContextForActivity(r);
            Activity activity = null;
            try {
                java.lang.ClassLoader cl = appContext.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);
                }
            }
    
    if (activity != null) {
                    CharSequence title = r.activityInfo.loadLabel(appContext.getPackageManager());
                    Configuration config = new Configuration(mCompatConfiguration);
                    if (r.overrideConfig != null) {
                        config.updateFrom(r.overrideConfig);
                    }
                    if (DEBUG_CONFIGURATION) Slog.v(TAG, "Launching activity "
                            + r.activityInfo.name + " with config " + config);
                    Window window = null;
                    if (r.mPendingRemoveWindow != null && r.mPreserveWindow) {
                        window = r.mPendingRemoveWindow;
                        r.mPendingRemoveWindow = null;
                        r.mPendingRemoveWindowManager = null;
                    }
                    appContext.setOuterContext(activity);
                    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, window, r.configCallback);
    
                    if (customIntent != null) {
                        activity.mIntent = customIntent;
                    }
                    r.lastNonConfigurationInstances = null;
                    checkAndBlockForNetworkAccess();
                    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;
                }
    

    这里通过反射创建了activity对象,通过activity#attach方法把token传了进去。

    final void attach(Context context, ActivityThread aThread,
                Instrumentation instr, IBinder token, int ident,
                Application application, Intent intent, ActivityInfo info,
                CharSequence title, Activity parent, String id,
                NonConfigurationInstances lastNonConfigurationInstances,
                Configuration config, String referrer, IVoiceInteractor voiceInteractor,
                Window window, ActivityConfigCallback activityConfigCallback) {
            attachBaseContext(context);
    mWindow = new PhoneWindow(this, window, activityConfigCallback);
    mToken = token;
    
    mWindow.setWindowManager(
                    (WindowManager)context.getSystemService(Context.WINDOW_SERVICE),
                    mToken, mComponent.flattenToString(),
                    (info.flags & ActivityInfo.FLAG_HARDWARE_ACCELERATED) != 0);
    mWindowManager = mWindow.getWindowManager();
    }
    

    创建了window对象mWindow,token赋值给了mToken。我们来看下window#setWindowManager:

    public void setWindowManager(WindowManager wm, IBinder appToken, String appName,
                boolean hardwareAccelerated) {
            mAppToken = appToken;
            mAppName = appName;
            mHardwareAccelerated = hardwareAccelerated
                    || SystemProperties.getBoolean(PROPERTY_HARDWARE_UI, false);
            if (wm == null) {
                wm = (WindowManager)mContext.getSystemService(Context.WINDOW_SERVICE);
            }
            mWindowManager = ((WindowManagerImpl)wm).createLocalWindowManager(this);
        }
    

    把token赋值给了mAppToken,通过传进来的windowmanager又去创建了一个windowmanager对象,并把当前window对象传入,再把创建的windowmanager对象赋值给mWindowManager。

    private WindowManagerImpl(Context context, Window parentWindow) {
            mContext = context;
            mParentWindow = parentWindow;
        }
    

    那么我们这里可以得出一个解决,一个activity创建了以后会创建他自己的window,又通过window#setWindowManager去创建与之对应的windowmanager,并把自己传给windowmanager,也就是windowmanager的变量mParentWindow。
    继续启动activity流程的方法跳转,这时候来到了ActivityTrhead#handleResumeActivity:

    @Override
        public void handleResumeActivity(IBinder token, boolean finalStateRequest, boolean isForward,
                String reason) {
    if (r.window == null && !a.mFinished && willBeVisible) {
                r.window = r.activity.getWindow();
                View decor = r.window.getDecorView();
                decor.setVisibility(View.INVISIBLE);
                ViewManager wm = a.getWindowManager();
                WindowManager.LayoutParams l = r.window.getAttributes();
                a.mDecor = decor;
                l.type = WindowManager.LayoutParams.TYPE_BASE_APPLICATION;
                l.softInputMode |= forwardBit;
                if (r.mPreserveWindow) {
                    a.mWindowAdded = true;
                    r.mPreserveWindow = false;
                    // Normally the ViewRoot sets up callbacks with the Activity
                    // in addView->ViewRootImpl#setView. If we are instead reusing
                    // the decor view we have to notify the view root that the
                    // callbacks may have changed.
                    ViewRootImpl impl = decor.getViewRootImpl();
                    if (impl != null) {
                        impl.notifyChildRebuilt();
                    }
                }
                if (a.mVisibleFromClient) {
                    if (!a.mWindowAdded) {
                        a.mWindowAdded = true;
                        wm.addView(decor, l);
                    } else {
                        // The activity will get a callback for this {@link LayoutParams} change
                        // earlier. However, at that time the decor will not be set (this is set
                        // in this method), so no action will be taken. This call ensures the
                        // callback occurs with the decor set.
                        a.onWindowAttributesChanged(l);
                    }
                }
    }
    

    通过activity#getWindowManager方法获取我们刚才创建的activity的window对应的windowmanager。创建LayoutParams,设置type为1,然后调用wm#addview添加activity的窗口。

    addView

    windowmanagerimpl#addview

    @Override
        public void addView(@NonNull View view, @NonNull ViewGroup.LayoutParams params) {
            applyDefaultToken(params);
            mGlobal.addView(view, params, mContext.getDisplay(), mParentWindow);
        }
    

    又调用了WindowManagerGlobal#addview,并把activity对应的window传了过去。
    WindowManagerGlobal#addview

    public void addView(View view, ViewGroup.LayoutParams params,
                Display display, Window parentWindow) {
            if (view == null) {
                throw new IllegalArgumentException("view must not be null");
            }
            if (display == null) {
                throw new IllegalArgumentException("display must not be null");
            }
            if (!(params instanceof WindowManager.LayoutParams)) {
                throw new IllegalArgumentException("Params must be WindowManager.LayoutParams");
            }
    
            final WindowManager.LayoutParams wparams = (WindowManager.LayoutParams) params;
            if (parentWindow != null) {
                parentWindow.adjustLayoutParamsForSubWindow(wparams);
            } else {
                // If there's no parent, then hardware acceleration for this view is
                // set from the application's hardware acceleration setting.
                final Context context = view.getContext();
                if (context != null
                        && (context.getApplicationInfo().flags
                                & ApplicationInfo.FLAG_HARDWARE_ACCELERATED) != 0) {
                    wparams.flags |= WindowManager.LayoutParams.FLAG_HARDWARE_ACCELERATED;
                }
            }
    
            ViewRootImpl root;
            View panelParentView = null;
    
            synchronized (mLock) {
                // Start watching for system property changes.
                if (mSystemPropertyUpdater == null) {
                    mSystemPropertyUpdater = new Runnable() {
                        @Override public void run() {
                            synchronized (mLock) {
                                for (int i = mRoots.size() - 1; i >= 0; --i) {
                                    mRoots.get(i).loadSystemProperties();
                                }
                            }
                        }
                    };
                    SystemProperties.addChangeCallback(mSystemPropertyUpdater);
                }
    
                int index = findViewLocked(view, false);
                if (index >= 0) {
                    if (mDyingViews.contains(view)) {
                        // Don't wait for MSG_DIE to make it's way through root's queue.
                        mRoots.get(index).doDie();
                    } else {
                        throw new IllegalStateException("View " + view
                                + " has already been added to the window manager.");
                    }
                    // The previous removeView() had not completed executing. Now it has.
                }
    
                // If this is a panel window, then find the window it is being
                // attached to for future reference.
                if (wparams.type >= WindowManager.LayoutParams.FIRST_SUB_WINDOW &&
                        wparams.type <= WindowManager.LayoutParams.LAST_SUB_WINDOW) {
                    final int count = mViews.size();
                    for (int i = 0; i < count; i++) {
                        if (mRoots.get(i).mWindow.asBinder() == wparams.token) {
                            panelParentView = mViews.get(i);
                        }
                    }
                }
    
                root = new ViewRootImpl(view.getContext(), display);
    
                view.setLayoutParams(wparams);
    
                mViews.add(view);
                mRoots.add(root);
                mParams.add(wparams);
    
                // do this last because it fires off messages to start doing things
                try {
                    root.setView(view, wparams, panelParentView);
                } catch (RuntimeException e) {
                    // BadTokenException or InvalidDisplayException, clean up.
                    if (index >= 0) {
                        removeViewLocked(index, true);
                    }
                    throw e;
                }
            }
        }
    

    方法比较长,我挑跟我们主题相关的说。
    首先判断传入的window是否为空,如果不为空就会调用他的adjustLayoutParamsForSubWindow方法,并把入参params传入。

    void adjustLayoutParamsForSubWindow(WindowManager.LayoutParams wp) {
    else {
                if (wp.token == null) {
                    wp.token = mContainer == null ? mAppToken : mContainer.mAppToken;
                }
                if ((curTitle == null || curTitle.length() == 0)
                        && mAppName != null) {
                    wp.setTitle(mAppName);
                }
            }
    }
    

    原来如此,我们在就开始传入的LayoutParams里面的属性token还没有赋值,所以这里mAppToken赋值给他了,而这个mAppToken就是之前window调用setWindowManager方法的时候传进来的。然后调用了viewRootImpl#setView:

    res = mWindowSession.addToDisplay(mWindow, mSeq, mWindowAttributes,
                                getHostVisibility(), mDisplay.getDisplayId(), mWinFrame,
                                mAttachInfo.mContentInsets, mAttachInfo.mStableInsets,
                                mAttachInfo.mOutsets, mAttachInfo.mDisplayCutout, mInputChannel);
    
    if (res < WindowManagerGlobal.ADD_OKAY) {
                        mAttachInfo.mRootView = null;
                        mAdded = false;
                        mFallbackEventHandler.setView(null);
                        unscheduleTraversals();
                        setAccessibilityFocus(null, null);
                        switch (res) {
                            case WindowManagerGlobal.ADD_BAD_APP_TOKEN:
                            case WindowManagerGlobal.ADD_BAD_SUBWINDOW_TOKEN:
                                throw new WindowManager.BadTokenException(
                                        "Unable to add window -- token " + attrs.token
                                        + " is not valid; is your activity running?");
                            case WindowManagerGlobal.ADD_NOT_APP_TOKEN:
                                throw new WindowManager.BadTokenException(
                                        "Unable to add window -- token " + attrs.token
                                        + " is not for an application");
                            case WindowManagerGlobal.ADD_APP_EXITING:
                                throw new WindowManager.BadTokenException(
                                        "Unable to add window -- app for token " + attrs.token
                                        + " is exiting");
                            case WindowManagerGlobal.ADD_DUPLICATE_ADD:
                                throw new WindowManager.BadTokenException(
                                        "Unable to add window -- window " + mWindow
                                        + " has already been added");
                            case WindowManagerGlobal.ADD_STARTING_NOT_NEEDED:
                                // Silently ignore -- we would have just removed it
                                // right away, anyway.
                                return;
                            case WindowManagerGlobal.ADD_MULTIPLE_SINGLETON:
                                throw new WindowManager.BadTokenException("Unable to add window "
                                        + mWindow + " -- another window of type "
                                        + mWindowAttributes.type + " already exists");
                            case WindowManagerGlobal.ADD_PERMISSION_DENIED:
                                throw new WindowManager.BadTokenException("Unable to add window "
                                        + mWindow + " -- permission denied for window type "
                                        + mWindowAttributes.type);
                            case WindowManagerGlobal.ADD_INVALID_DISPLAY:
                                throw new WindowManager.InvalidDisplayException("Unable to add window "
                                        + mWindow + " -- the specified display can not be found");
                            case WindowManagerGlobal.ADD_INVALID_TYPE:
                                throw new WindowManager.InvalidDisplayException("Unable to add window "
                                        + mWindow + " -- the specified window type "
                                        + mWindowAttributes.type + " is not valid");
                        }
                        throw new RuntimeException(
                                "Unable to add window -- unknown error code " + res);
                    }
    

    mWindowSession是IWindowSession,他是session这个binder的本地代理,那么其实就是调用远程session#addToDisplay并返回结果,然后根据错误结果抛异常,第一个就是badtoken。session#addToDisplay又去调用wms#addwindow:

    public int addWindow(Session session, IWindow client, int seq,
                LayoutParams attrs, int viewVisibility, int displayId, Rect outFrame,
                Rect outContentInsets, Rect outStableInsets, Rect outOutsets,
                DisplayCutout.ParcelableWrapper outDisplayCutout, InputChannel outInputChannel) {
            int[] appOp = new int[1];
            int res = mPolicy.checkAddPermission(attrs, appOp);
            if (res != WindowManagerGlobal.ADD_OKAY) {
                return res;
            }
    
            boolean reportNewConfig = false;
            WindowState parentWindow = null;
            long origId;
            final int callingUid = Binder.getCallingUid();
            final int type = attrs.type;
    
            synchronized(mWindowMap) {
                if (!mDisplayReady) {
                    throw new IllegalStateException("Display has not been initialialized");
                }
    
                final DisplayContent displayContent = getDisplayContentOrCreate(displayId);
    
                if (displayContent == null) {
                    Slog.w(TAG_WM, "Attempted to add window to a display that does not exist: "
                            + displayId + ".  Aborting.");
                    return WindowManagerGlobal.ADD_INVALID_DISPLAY;
                }
                if (!displayContent.hasAccess(session.mUid)
                        && !mDisplayManagerInternal.isUidPresentOnDisplay(session.mUid, displayId)) {
                    Slog.w(TAG_WM, "Attempted to add window to a display for which the application "
                            + "does not have access: " + displayId + ".  Aborting.");
                    return WindowManagerGlobal.ADD_INVALID_DISPLAY;
                }
    
                if (mWindowMap.containsKey(client.asBinder())) {
                    Slog.w(TAG_WM, "Window " + client + " is already added");
                    return WindowManagerGlobal.ADD_DUPLICATE_ADD;
                }
    
                if (type >= FIRST_SUB_WINDOW && type <= LAST_SUB_WINDOW) {
                    parentWindow = windowForClientLocked(null, attrs.token, false);
                    if (parentWindow == null) {
                        Slog.w(TAG_WM, "Attempted to add window with token that is not a window: "
                              + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_SUBWINDOW_TOKEN;
                    }
                    if (parentWindow.mAttrs.type >= FIRST_SUB_WINDOW
                            && parentWindow.mAttrs.type <= LAST_SUB_WINDOW) {
                        Slog.w(TAG_WM, "Attempted to add window with token that is a sub-window: "
                                + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_SUBWINDOW_TOKEN;
                    }
                }
    
                if (type == TYPE_PRIVATE_PRESENTATION && !displayContent.isPrivate()) {
                    Slog.w(TAG_WM, "Attempted to add private presentation window to a non-private display.  Aborting.");
                    return WindowManagerGlobal.ADD_PERMISSION_DENIED;
                }
    
                AppWindowToken atoken = null;
                final boolean hasParent = parentWindow != null;
                // Use existing parent window token for child windows since they go in the same token
                // as there parent window so we can apply the same policy on them.
                WindowToken token = displayContent.getWindowToken(
                        hasParent ? parentWindow.mAttrs.token : attrs.token);
                // If this is a child window, we want to apply the same type checking rules as the
                // parent window type.
                final int rootType = hasParent ? parentWindow.mAttrs.type : type;
    
                boolean addToastWindowRequiresToken = false;
    
                if (token == null) {
                    if (rootType >= FIRST_APPLICATION_WINDOW && rootType <= LAST_APPLICATION_WINDOW) {
                        Slog.w(TAG_WM, "Attempted to add application window with unknown token "
                              + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                    if (rootType == TYPE_INPUT_METHOD) {
                        Slog.w(TAG_WM, "Attempted to add input method window with unknown token "
                              + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                    if (rootType == TYPE_VOICE_INTERACTION) {
                        Slog.w(TAG_WM, "Attempted to add voice interaction window with unknown token "
                              + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                    if (rootType == TYPE_WALLPAPER) {
                        Slog.w(TAG_WM, "Attempted to add wallpaper window with unknown token "
                              + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                    if (rootType == TYPE_DREAM) {
                        Slog.w(TAG_WM, "Attempted to add Dream window with unknown token "
                              + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                    if (rootType == TYPE_QS_DIALOG) {
                        Slog.w(TAG_WM, "Attempted to add QS dialog window with unknown token "
                              + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                    if (rootType == TYPE_ACCESSIBILITY_OVERLAY) {
                        Slog.w(TAG_WM, "Attempted to add Accessibility overlay window with unknown token "
                                + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                    if (type == TYPE_TOAST) {
                        // Apps targeting SDK above N MR1 cannot arbitrary add toast windows.
                        if (doesAddToastWindowRequireToken(attrs.packageName, callingUid,
                                parentWindow)) {
                            Slog.w(TAG_WM, "Attempted to add a toast window with unknown token "
                                    + attrs.token + ".  Aborting.");
                            return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                        }
                    }
                    final IBinder binder = attrs.token != null ? attrs.token : client.asBinder();
                    final boolean isRoundedCornerOverlay =
                            (attrs.privateFlags & PRIVATE_FLAG_IS_ROUNDED_CORNERS_OVERLAY) != 0;
                    token = new WindowToken(this, binder, type, false, displayContent,
                            session.mCanAddInternalSystemWindow, isRoundedCornerOverlay);
                } else if (rootType >= FIRST_APPLICATION_WINDOW && rootType <= LAST_APPLICATION_WINDOW) {
                    atoken = token.asAppWindowToken();
                    if (atoken == null) {
                        Slog.w(TAG_WM, "Attempted to add window with non-application token "
                              + token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_NOT_APP_TOKEN;
                    } else if (atoken.removed) {
                        Slog.w(TAG_WM, "Attempted to add window with exiting application token "
                              + token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_APP_EXITING;
                    } else if (type == TYPE_APPLICATION_STARTING && atoken.startingWindow != null) {
                        Slog.w(TAG_WM, "Attempted to add starting window to token with already existing"
                                + " starting window");
                        return WindowManagerGlobal.ADD_DUPLICATE_ADD;
                    }
                } else if (rootType == TYPE_INPUT_METHOD) {
                    if (token.windowType != TYPE_INPUT_METHOD) {
                        Slog.w(TAG_WM, "Attempted to add input method window with bad token "
                                + attrs.token + ".  Aborting.");
                          return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                } else if (rootType == TYPE_VOICE_INTERACTION) {
                    if (token.windowType != TYPE_VOICE_INTERACTION) {
                        Slog.w(TAG_WM, "Attempted to add voice interaction window with bad token "
                                + attrs.token + ".  Aborting.");
                          return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                } else if (rootType == TYPE_WALLPAPER) {
                    if (token.windowType != TYPE_WALLPAPER) {
                        Slog.w(TAG_WM, "Attempted to add wallpaper window with bad token "
                                + attrs.token + ".  Aborting.");
                          return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                } else if (rootType == TYPE_DREAM) {
                    if (token.windowType != TYPE_DREAM) {
                        Slog.w(TAG_WM, "Attempted to add Dream window with bad token "
                                + attrs.token + ".  Aborting.");
                          return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                } else if (rootType == TYPE_ACCESSIBILITY_OVERLAY) {
                    if (token.windowType != TYPE_ACCESSIBILITY_OVERLAY) {
                        Slog.w(TAG_WM, "Attempted to add Accessibility overlay window with bad token "
                                + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                } else if (type == TYPE_TOAST) {
                    // Apps targeting SDK above N MR1 cannot arbitrary add toast windows.
                    addToastWindowRequiresToken = doesAddToastWindowRequireToken(attrs.packageName,
                            callingUid, parentWindow);
                    if (addToastWindowRequiresToken && token.windowType != TYPE_TOAST) {
                        Slog.w(TAG_WM, "Attempted to add a toast window with bad token "
                                + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                } else if (type == TYPE_QS_DIALOG) {
                    if (token.windowType != TYPE_QS_DIALOG) {
                        Slog.w(TAG_WM, "Attempted to add QS dialog window with bad token "
                                + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_APP_TOKEN;
                    }
                } else if (token.asAppWindowToken() != null) {
                    Slog.w(TAG_WM, "Non-null appWindowToken for system window of rootType=" + rootType);
                    // It is not valid to use an app token with other system types; we will
                    // instead make a new token for it (as if null had been passed in for the token).
                    attrs.token = null;
                    token = new WindowToken(this, client.asBinder(), type, false, displayContent,
                            session.mCanAddInternalSystemWindow);
                }
    
                final WindowState win = new WindowState(this, session, client, token, parentWindow,
                        appOp[0], seq, attrs, viewVisibility, session.mUid,
                        session.mCanAddInternalSystemWindow);
                if (win.mDeathRecipient == null) {
                    // Client has apparently died, so there is no reason to
                    // continue.
                    Slog.w(TAG_WM, "Adding window client " + client.asBinder()
                            + " that is dead, aborting.");
                    return WindowManagerGlobal.ADD_APP_EXITING;
                }
    
                if (win.getDisplayContent() == null) {
                    Slog.w(TAG_WM, "Adding window to Display that has been removed.");
                    return WindowManagerGlobal.ADD_INVALID_DISPLAY;
                }
    
                final boolean hasStatusBarServicePermission =
                        mContext.checkCallingOrSelfPermission(permission.STATUS_BAR_SERVICE)
                                == PackageManager.PERMISSION_GRANTED;
                mPolicy.adjustWindowParamsLw(win, win.mAttrs, hasStatusBarServicePermission);
                win.setShowToOwnerOnlyLocked(mPolicy.checkShowToOwnerOnly(attrs));
    
                res = mPolicy.prepareAddWindowLw(win, attrs);
                if (res != WindowManagerGlobal.ADD_OKAY) {
                    return res;
                }
    
                final boolean openInputChannels = (outInputChannel != null
                        && (attrs.inputFeatures & INPUT_FEATURE_NO_INPUT_CHANNEL) == 0);
                if  (openInputChannels) {
                    win.openInputChannel(outInputChannel);
                }
    
                // If adding a toast requires a token for this app we always schedule hiding
                // toast windows to make sure they don't stick around longer then necessary.
                // We hide instead of remove such windows as apps aren't prepared to handle
                // windows being removed under them.
                //
                // If the app is older it can add toasts without a token and hence overlay
                // other apps. To be maximally compatible with these apps we will hide the
                // window after the toast timeout only if the focused window is from another
                // UID, otherwise we allow unlimited duration. When a UID looses focus we
                // schedule hiding all of its toast windows.
                if (type == TYPE_TOAST) {
                    if (!getDefaultDisplayContentLocked().canAddToastWindowForUid(callingUid)) {
                        Slog.w(TAG_WM, "Adding more than one toast window for UID at a time.");
                        return WindowManagerGlobal.ADD_DUPLICATE_ADD;
                    }
                    // Make sure this happens before we moved focus as one can make the
                    // toast focusable to force it not being hidden after the timeout.
                    // Focusable toasts are always timed out to prevent a focused app to
                    // show a focusable toasts while it has focus which will be kept on
                    // the screen after the activity goes away.
                    if (addToastWindowRequiresToken
                            || (attrs.flags & LayoutParams.FLAG_NOT_FOCUSABLE) == 0
                            || mCurrentFocus == null
                            || mCurrentFocus.mOwnerUid != callingUid) {
                        mH.sendMessageDelayed(
                                mH.obtainMessage(H.WINDOW_HIDE_TIMEOUT, win),
                                win.mAttrs.hideTimeoutMilliseconds);
                    }
                }
    
                // From now on, no exceptions or errors allowed!
    
                res = WindowManagerGlobal.ADD_OKAY;
                if (mCurrentFocus == null) {
                    mWinAddedSinceNullFocus.add(win);
                }
    
                if (excludeWindowTypeFromTapOutTask(type)) {
                    displayContent.mTapExcludedWindows.add(win);
                }
    
                origId = Binder.clearCallingIdentity();
    
                win.attach();
                mWindowMap.put(client.asBinder(), win);
    
                win.initAppOpsState();
    
                final boolean suspended = mPmInternal.isPackageSuspended(win.getOwningPackage(),
                        UserHandle.getUserId(win.getOwningUid()));
                win.setHiddenWhileSuspended(suspended);
    
                final boolean hideSystemAlertWindows = !mHidingNonSystemOverlayWindows.isEmpty();
                win.setForceHideNonSystemOverlayWindowIfNeeded(hideSystemAlertWindows);
    
                final AppWindowToken aToken = token.asAppWindowToken();
                if (type == TYPE_APPLICATION_STARTING && aToken != null) {
                    aToken.startingWindow = win;
                    if (DEBUG_STARTING_WINDOW) Slog.v (TAG_WM, "addWindow: " + aToken
                            + " startingWindow=" + win);
                }
    
                boolean imMayMove = true;
    
                win.mToken.addWindow(win);
                if (type == TYPE_INPUT_METHOD) {
                    win.mGivenInsetsPending = true;
                    setInputMethodWindowLocked(win);
                    imMayMove = false;
                } else if (type == TYPE_INPUT_METHOD_DIALOG) {
                    displayContent.computeImeTarget(true /* updateImeTarget */);
                    imMayMove = false;
                } else {
                    if (type == TYPE_WALLPAPER) {
                        displayContent.mWallpaperController.clearLastWallpaperTimeoutTime();
                        displayContent.pendingLayoutChanges |= FINISH_LAYOUT_REDO_WALLPAPER;
                    } else if ((attrs.flags&FLAG_SHOW_WALLPAPER) != 0) {
                        displayContent.pendingLayoutChanges |= FINISH_LAYOUT_REDO_WALLPAPER;
                    } else if (displayContent.mWallpaperController.isBelowWallpaperTarget(win)) {
                        // If there is currently a wallpaper being shown, and
                        // the base layer of the new window is below the current
                        // layer of the target window, then adjust the wallpaper.
                        // This is to avoid a new window being placed between the
                        // wallpaper and its target.
                        displayContent.pendingLayoutChanges |= FINISH_LAYOUT_REDO_WALLPAPER;
                    }
                }
    
                // If the window is being added to a stack that's currently adjusted for IME,
                // make sure to apply the same adjust to this new window.
                win.applyAdjustForImeIfNeeded();
    
                if (type == TYPE_DOCK_DIVIDER) {
                    mRoot.getDisplayContent(displayId).getDockedDividerController().setWindow(win);
                }
    
                final WindowStateAnimator winAnimator = win.mWinAnimator;
                winAnimator.mEnterAnimationPending = true;
                winAnimator.mEnteringAnimation = true;
                // Check if we need to prepare a transition for replacing window first.
                if (atoken != null && atoken.isVisible()
                        && !prepareWindowReplacementTransition(atoken)) {
                    // If not, check if need to set up a dummy transition during display freeze
                    // so that the unfreeze wait for the apps to draw. This might be needed if
                    // the app is relaunching.
                    prepareNoneTransitionForRelaunching(atoken);
                }
    
                final DisplayFrames displayFrames = displayContent.mDisplayFrames;
                // TODO: Not sure if onDisplayInfoUpdated() call is needed.
                final DisplayInfo displayInfo = displayContent.getDisplayInfo();
                displayFrames.onDisplayInfoUpdated(displayInfo,
                        displayContent.calculateDisplayCutoutForRotation(displayInfo.rotation));
                final Rect taskBounds;
                if (atoken != null && atoken.getTask() != null) {
                    taskBounds = mTmpRect;
                    atoken.getTask().getBounds(mTmpRect);
                } else {
                    taskBounds = null;
                }
                if (mPolicy.getLayoutHintLw(win.mAttrs, taskBounds, displayFrames, outFrame,
                        outContentInsets, outStableInsets, outOutsets, outDisplayCutout)) {
                    res |= WindowManagerGlobal.ADD_FLAG_ALWAYS_CONSUME_NAV_BAR;
                }
    
                if (mInTouchMode) {
                    res |= WindowManagerGlobal.ADD_FLAG_IN_TOUCH_MODE;
                }
                if (win.mAppToken == null || !win.mAppToken.isClientHidden()) {
                    res |= WindowManagerGlobal.ADD_FLAG_APP_VISIBLE;
                }
    
                mInputMonitor.setUpdateInputWindowsNeededLw();
    
                boolean focusChanged = false;
                if (win.canReceiveKeys()) {
                    focusChanged = updateFocusedWindowLocked(UPDATE_FOCUS_WILL_ASSIGN_LAYERS,
                            false /*updateInputWindows*/);
                    if (focusChanged) {
                        imMayMove = false;
                    }
                }
    
                if (imMayMove) {
                    displayContent.computeImeTarget(true /* updateImeTarget */);
                }
    
                // Don't do layout here, the window must call
                // relayout to be displayed, so we'll do it there.
                win.getParent().assignChildLayers();
    
                if (focusChanged) {
                    mInputMonitor.setInputFocusLw(mCurrentFocus, false /*updateInputWindows*/);
                }
                mInputMonitor.updateInputWindowsLw(false /*force*/);
    
                if (localLOGV || DEBUG_ADD_REMOVE) Slog.v(TAG_WM, "addWindow: New client "
                        + client.asBinder() + ": window=" + win + " Callers=" + Debug.getCallers(5));
    
                if (win.isVisibleOrAdding() && updateOrientationFromAppTokensLocked(displayId)) {
                    reportNewConfig = true;
                }
            }
    
            if (reportNewConfig) {
                sendNewConfiguration(displayId);
            }
    
            Binder.restoreCallingIdentity(origId);
    
            return res;
        }
    

    先通过displayContent#getWindowToken获取windowToken

    WindowToken getWindowToken(IBinder binder) {
            return mTokenMap.get(binder);
        }
    

    mTokenMap我们之前说过,是一个map,并且以activity的token为key,存入了一个appwindowtoken,所以这里取出的就是之前存入的appwindowtoken。如果获取的appwindowtoken为空,并且属于应用层的窗口,那么返回ADD_BAD_APP_TOKEN。

    dialog

    有了以上的分析,我们再来看一下dialog

    Dialog(@NonNull Context context, @StyleRes int themeResId, boolean createContextThemeWrapper) {
            if (createContextThemeWrapper) {
                if (themeResId == ResourceId.ID_NULL) {
                    final TypedValue outValue = new TypedValue();
                    context.getTheme().resolveAttribute(R.attr.dialogTheme, outValue, true);
                    themeResId = outValue.resourceId;
                }
                mContext = new ContextThemeWrapper(context, themeResId);
            } else {
                mContext = context;
            }
    
            mWindowManager = (WindowManager) context.getSystemService(Context.WINDOW_SERVICE);
    
            final Window w = new PhoneWindow(mContext);
            mWindow = w;
            w.setCallback(this);
            w.setOnWindowDismissedCallback(this);
            w.setOnWindowSwipeDismissedCallback(() -> {
                if (mCancelable) {
                    cancel();
                }
            });
            w.setWindowManager(mWindowManager, null, null);
            w.setGravity(Gravity.CENTER);
    
            mListenersHandler = new ListenersHandler(this);
        }
    

    这是dialog的构造函数,通过传入context#getSystemService获取到windowmanager,并赋值给mWindowManager。然后创建window,给他创建对应的windowmanager,但是我们注意这里的setWindowManager传入的appToken是null。再看show方法:

    public void show() {
            if (mShowing) {
                if (mDecor != null) {
                    if (mWindow.hasFeature(Window.FEATURE_ACTION_BAR)) {
                        mWindow.invalidatePanelMenu(Window.FEATURE_ACTION_BAR);
                    }
                    mDecor.setVisibility(View.VISIBLE);
                }
                return;
            }
    
            mCanceled = false;
    
            if (!mCreated) {
                dispatchOnCreate(null);
            } else {
                // Fill the DecorView in on any configuration changes that
                // may have occured while it was removed from the WindowManager.
                final Configuration config = mContext.getResources().getConfiguration();
                mWindow.getDecorView().dispatchConfigurationChanged(config);
            }
    
            onStart();
            mDecor = mWindow.getDecorView();
    
            if (mActionBar == null && mWindow.hasFeature(Window.FEATURE_ACTION_BAR)) {
                final ApplicationInfo info = mContext.getApplicationInfo();
                mWindow.setDefaultIcon(info.icon);
                mWindow.setDefaultLogo(info.logo);
                mActionBar = new WindowDecorActionBar(this);
            }
    
            WindowManager.LayoutParams l = mWindow.getAttributes();
            boolean restoreSoftInputMode = false;
            if ((l.softInputMode
                    & WindowManager.LayoutParams.SOFT_INPUT_IS_FORWARD_NAVIGATION) == 0) {
                l.softInputMode |=
                        WindowManager.LayoutParams.SOFT_INPUT_IS_FORWARD_NAVIGATION;
                restoreSoftInputMode = true;
            }
    
            mWindowManager.addView(mDecor, l);
            if (restoreSoftInputMode) {
                l.softInputMode &=
                        ~WindowManager.LayoutParams.SOFT_INPUT_IS_FORWARD_NAVIGATION;
            }
    
            mShowing = true;
    
            sendShowMessage();
        }
    

    最终还是调用了mWindowManager#addView然后让wms去处理。重点来了,这个mWindowManager是什么?如果构造函数传入的context是activity,那么会调用activity#getSystemService:

    @Override
        public Object getSystemService(@ServiceName @NonNull String name) {
            if (getBaseContext() == null) {
                throw new IllegalStateException(
                        "System services not available to Activities before onCreate()");
            }
    
            if (WINDOW_SERVICE.equals(name)) {
                return mWindowManager;
            } else if (SEARCH_SERVICE.equals(name)) {
                ensureSearchManager();
                return mSearchManager;
            }
            return super.getSystemService(name);
        }
    

    如果要获取的服务是window服务,那么直接返回activity的window对应的windowmanager。所以dialog#show实际上是调用了activity的windowmanager#addview方法,我们前面说过,在windowmanagergolbal#addview中,会调用windowmanager对应的window的adjustLayoutParamsForSubWindow方法,把window持有的mAppToken复制给LayoutParams的token参数,带到后面去。所以,dialog用的就是activity的token。
    那么如果在dialog的构造函数传的是application呢?
    application并没有重写这个方法,到他的父类ContextWrapper中找:

    @Override
        public Object getSystemService(String name) {
            return mBase.getSystemService(name);
        }
    

    那么mBase是什么呢?

    Context mBase;
    
    protected void attachBaseContext(Context base) {
            if (mBase != null) {
                throw new IllegalStateException("Base context already set");
            }
            mBase = base;
        }
    

    他是一个context,通过attachBaseContext方法注入。
    现在来讲一下application的创建过程。
    在刚才启动activity的过程中,大家是否还记得activityThread#performLaunchActivity方法,在这里会通过反射创建activity对象,其实还会通过LoadedApk#makeApplication去获取application对象。
    LoadedApk#makeApplication:

    public Application makeApplication(boolean forceDefaultAppClass,
                Instrumentation instrumentation) {
            if (mApplication != null) {
                return mApplication;
            }
    
            Trace.traceBegin(Trace.TRACE_TAG_ACTIVITY_MANAGER, "makeApplication");
    
            Application app = null;
    
            String appClass = mApplicationInfo.className;
            if (forceDefaultAppClass || (appClass == null)) {
                appClass = "android.app.Application";
            }
    
            try {
                java.lang.ClassLoader cl = getClassLoader();
                if (!mPackageName.equals("android")) {
                    Trace.traceBegin(Trace.TRACE_TAG_ACTIVITY_MANAGER,
                            "initializeJavaContextClassLoader");
                    initializeJavaContextClassLoader();
                    Trace.traceEnd(Trace.TRACE_TAG_ACTIVITY_MANAGER);
                }
                ContextImpl appContext = ContextImpl.createAppContext(mActivityThread, this);
                app = mActivityThread.mInstrumentation.newApplication(
                        cl, appClass, appContext);
                appContext.setOuterContext(app);
            }
    

    如果已经创建过了就返回mApplication,如果没有就通过反射去创建,然后创建一个ContextImpl对象,调用mActivityThread#mInstrumentation#newApplication。mActivityThread是ActivityThread,mInstrumentation是他的成员变量Instrumentation:

    public Application newApplication(ClassLoader cl, String className, Context context)
                throws InstantiationException, IllegalAccessException, 
                ClassNotFoundException {
            Application app = getFactory(context.getPackageName())
                    .instantiateApplication(cl, className);
            app.attach(context);
            return app;
        }
    

    是在这里通过attach方法把ContextImpl对象赋值给了application的mBase变量。那么回过头来,我们看一下ContextImpl#getSystemService是怎么实现的:

    @Override
        public Object getSystemService(String name) {
            return SystemServiceRegistry.getSystemService(this, name);
        }
    
    public static Object getSystemService(ContextImpl ctx, String name) {
            ServiceFetcher<?> fetcher = SYSTEM_SERVICE_FETCHERS.get(name);
            return fetcher != null ? fetcher.getService(ctx) : null;
        }
    

    SYSTEM_SERVICE_FETCHERS是个静态的map,里面存了各种ServiceFetcher,ServiceFetcher里面通过createService抽象方法返回了服务。那么我们只要看是什么时候往这个map里放的ServiceFetcher,这个ServiceFetcher的抽象方法createService返回的就是我们要的服务。

    registerService(Context.WINDOW_SERVICE, WindowManager.class,
                    new CachedServiceFetcher<WindowManager>() {
                @Override
                public WindowManager createService(ContextImpl ctx) {
                    return new WindowManagerImpl(ctx);
                }});
    
    private static <T> void registerService(String serviceName, Class<T> serviceClass,
                ServiceFetcher<T> serviceFetcher) {
            SYSTEM_SERVICE_NAMES.put(serviceClass, serviceName);
            SYSTEM_SERVICE_FETCHERS.put(serviceName, serviceFetcher);
        }
    

    这个方法是写在静态代码块里的,所以是类加载的时候就会执行。果然跟我们预计的一样,所以我们取到的就是WindowManagerImpl对象,并且是唯一的。这个WindowManagerImpl调用的构造函数并没有window,所以他没有对应的window,后面addview的时候实际也没有token。前面分析过,token为null必然会抛异常。

    popupwindow
    public PopupWindow(View contentView, int width, int height, boolean focusable) {
            if (contentView != null) {
                mContext = contentView.getContext();
                mWindowManager = (WindowManager) mContext.getSystemService(Context.WINDOW_SERVICE);
            }
    
            setContentView(contentView);
            setWidth(width);
            setHeight(height);
            setFocusable(focusable);
        }
    
    public void setContentView(View contentView) {
            if (isShowing()) {
                return;
            }
    
            mContentView = contentView;
    
            if (mContext == null && mContentView != null) {
                mContext = mContentView.getContext();
            }
    
            if (mWindowManager == null && mContentView != null) {
                mWindowManager = (WindowManager) mContext.getSystemService(Context.WINDOW_SERVICE);
            }
    
            // Setting the default for attachedInDecor based on SDK version here
            // instead of in the constructor since we might not have the context
            // object in the constructor. We only want to set default here if the
            // app hasn't already set the attachedInDecor.
            if (mContext != null && !mAttachedInDecorSet) {
                // Attach popup window in decor frame of parent window by default for
                // {@link Build.VERSION_CODES.LOLLIPOP_MR1} or greater. Keep current
                // behavior of not attaching to decor frame for older SDKs.
                setAttachedInDecor(mContext.getApplicationInfo().targetSdkVersion
                        >= Build.VERSION_CODES.LOLLIPOP_MR1);
            }
    
        }
    

    创建了popupwindow自己的windowmanager。

    public void showAtLocation(View parent, int gravity, int x, int y) {
            mParentRootView = new WeakReference<>(parent.getRootView());
            showAtLocation(parent.getWindowToken(), gravity, x, y);
        }
    
    public void showAtLocation(IBinder token, int gravity, int x, int y) {
            if (isShowing() || mContentView == null) {
                return;
            }
    
            TransitionManager.endTransitions(mDecorView);
    
            detachFromAnchor();
    
            mIsShowing = true;
            mIsDropdown = false;
            mGravity = gravity;
    
            final WindowManager.LayoutParams p = createPopupLayoutParams(token);
            preparePopup(p);
    
            p.x = x;
            p.y = y;
    
            invokePopup(p);
        }
    

    注意看这个token,他是我们传入的view#getWindowToken返回的。

    public IBinder getWindowToken() {
            return mAttachInfo != null ? mAttachInfo.mWindowToken : null;
        }
    

    mAttachInfo的类型是AttachInfo,他是在哪里赋值的呢?mWindowToken 又是什么?又在哪里赋值的?
    View#dispatchAttachedToWindow

    void dispatchAttachedToWindow(AttachInfo info, int visibility) {
            mAttachInfo = info;
    }
    

    这里方法实际是在viewRootImpl遍历顶级view的时候调用的,我们去看一下:

    private void performTraversals() {
    host.dispatchAttachedToWindow(mAttachInfo, 0);
    }
    

    而这个方法是通过requestLayout方法经过几次跳转以后调用的。那么requestLayout又是在哪里调用的呢?

    public void setView(View view, WindowManager.LayoutParams attrs, View panelParentView) {
    requestLayout();
                    if ((mWindowAttributes.inputFeatures
                            & WindowManager.LayoutParams.INPUT_FEATURE_NO_INPUT_CHANNEL) == 0) {
                        mInputChannel = new InputChannel();
                    }
                    mForceDecorViewVisibility = (mWindowAttributes.privateFlags
                            & PRIVATE_FLAG_FORCE_DECOR_VIEW_VISIBILITY) != 0;
                    try {
                        mOrigWindowType = mWindowAttributes.type;
                        mAttachInfo.mRecomputeGlobalAttributes = true;
                        collectViewAttributes();
                        res = mWindowSession.addToDisplay(mWindow, mSeq, mWindowAttributes,
                                getHostVisibility(), mDisplay.getDisplayId(), mWinFrame,
                                mAttachInfo.mContentInsets, mAttachInfo.mStableInsets,
                                mAttachInfo.mOutsets, mAttachInfo.mDisplayCutout, mInputChannel);
    }
    

    我们在setview方法中发现了调用。那么AttachInfo对象又是在哪里创建的呢?

    public ViewRootImpl(Context context, Display display) {
    ...
    mWindow = new W(this);
    mAttachInfo = new View.AttachInfo(mWindowSession, mWindow, display, this, mHandler, this,
                    context);
    ...
    }
    

    原来是在ViewRootImpl的构造函数中创建了AttachInfo,并且new了一个W对象注入AttachInfo的构造函数,我们再来看看他的变量mWindowToken是什么:

    AttachInfo(IWindowSession session, IWindow window, Display display,
                    ViewRootImpl viewRootImpl, Handler handler, Callbacks effectPlayer,
                    Context context) {
                mSession = session;
                mWindow = window;
                mWindowToken = window.asBinder();
                mDisplay = display;
                mViewRootImpl = viewRootImpl;
                mHandler = handler;
                mRootCallbacks = effectPlayer;
                mTreeObserver = new ViewTreeObserver(context);
            }
    
    final IBinder mWindowToken;
    

    他是一个ibinder,通过window.asBinder()赋值,window是刚才new W()创建的,那么W是什么呢?

    static class W extends IWindow.Stub {
    }
    

    W原来是IWindow的实现类,他是一个binder本体,位于我们自己的应用进程。
    好了,我来总结一下,activity启动的时候会通过自己的windowmanager去addview,就会去创建对应的ViewRootImpl,同时在ViewRootImpl的构造函数中会去创建AttachInfo对象,AttachInfo有一个变量叫mWindowToken是个binder,被赋值为W对象,W也是一个binder,他是IWindow的实现。完了然后ViewRootImpl会调用setview方法,setview方法内部会调用requestLayout方法,从窗口的顶级view开始执行遍历绘制每一级的view,并调用view#dispatchAttachedToWindow把AttachInfo注入,这样activity的窗口下的所有view都持有了AttachInfo。
    接着,我们在构建popupWindow的时候会传入acitivy的某个view(随便哪个都一样),然后用这个view持有的AttachInfo对象的mWindowToken(其实也就是activity对应的ViewRootImpl所持有的W对象)变量作为token赋值给LayoutParams对象的token变量。我们发现,activity通过windowmanager#addview的时候,在LayoutParams中传入的token是ams创建并一路传过来的IApplicationToken,而popupwindow用的是IWindow,当然他们都是binder。接着,popupwindow会用自己的windowmanager去addView,那么跟activity的情况一样,也会创建popupWindow对应的ViewRootImpl等,调用setview。
    ViewRootImpl#setView

    public void setView(View view, WindowManager.LayoutParams attrs, View panelParentView) {
    requestLayout();
    
    res = mWindowSession.addToDisplay(mWindow, mSeq, mWindowAttributes,
                                getHostVisibility(), mDisplay.getDisplayId(), mWinFrame,
                                mAttachInfo.mContentInsets, mAttachInfo.mStableInsets,
                                mAttachInfo.mOutsets, mAttachInfo.mDisplayCutout, mInputChannel);
    }
    

    我们看到,requestLayout执行完以后,就会去跨进程调用,接着就转入wms所在进程了。这里注意mWindowSession#addToDisplay方法的第一个参数mWindow,因为当前的ViewRootImpl是popupWindow的,所以这里的mWindow(W对象)也是popupWindow的。再看第三个参数mWindowAttributes(LayoutParams对象),他是在popupWindow内部创建并传过来的,他里面的token刚才分析了也是一个w对象,但是是activity对应的ViewRootImpl的w对象。好了,我们继续去看wms:

    public int addWindow(Session session, IWindow client, int seq,
                LayoutParams attrs, int viewVisibility, int displayId, Rect outFrame,
                Rect outContentInsets, Rect outStableInsets, Rect outOutsets,
                DisplayCutout.ParcelableWrapper outDisplayCutout, InputChannel outInputChannel) {
            int[] appOp = new int[1];
            int res = mPolicy.checkAddPermission(attrs, appOp);
            if (res != WindowManagerGlobal.ADD_OKAY) {
    ...
    if (mWindowMap.containsKey(client.asBinder())) {
                    Slog.w(TAG_WM, "Window " + client + " is already added");
                    return WindowManagerGlobal.ADD_DUPLICATE_ADD;
                }
    
    if (type >= FIRST_SUB_WINDOW && type <= LAST_SUB_WINDOW) {
                    parentWindow = windowForClientLocked(null, attrs.token, false);
                    if (parentWindow == null) {
                        Slog.w(TAG_WM, "Attempted to add window with token that is not a window: "
                              + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_SUBWINDOW_TOKEN;
                    }
                    if (parentWindow.mAttrs.type >= FIRST_SUB_WINDOW
                            && parentWindow.mAttrs.type <= LAST_SUB_WINDOW) {
                        Slog.w(TAG_WM, "Attempted to add window with token that is a sub-window: "
                                + attrs.token + ".  Aborting.");
                        return WindowManagerGlobal.ADD_BAD_SUBWINDOW_TOKEN;
                    }
                }
    
    final WindowState win = new WindowState(this, session, client, token, parentWindow,
                        appOp[0], seq, attrs, viewVisibility, session.mUid,
                        session.mCanAddInternalSystemWindow);
    mWindowMap.put(client.asBinder(), win);
    ...
    }
    
    class WindowHashMap extends HashMap<IBinder, WindowState> {
    }
    

    mWindowMap是个map,存的key是ibinder,value是windowState。首先判断mWindowMap是否存在key为client.asBinder(),client就是popupWindow对应的viewRootImpl的w对象,通过ipc以后这里实际就是w的代理,即binderProxy。因为每次popupWindow#show都会添加新的窗口,viewRootImpl也是新创建不重复的,所以w也是不重复,如果重复就会抛异常。
    接着判断窗口层级,因为popupWindow设置的type是1000,所以属于子窗口,就会去走windowForClientLocked方法:

    final WindowState windowForClientLocked(Session session, IBinder client, boolean throwOnError) {
            WindowState win = mWindowMap.get(client);
            if (localLOGV) Slog.v(TAG_WM, "Looking up client " + client + ": " + win);
            if (win == null) {
                if (throwOnError) {
                    throw new IllegalArgumentException(
                            "Requested window " + client + " does not exist");
                }
                Slog.w(TAG_WM, "Failed looking up window callers=" + Debug.getCallers(3));
                return null;
            }
            if (session != null && win.mSession != session) {
                if (throwOnError) {
                    throw new IllegalArgumentException("Requested window " + client + " is in session "
                            + win.mSession + ", not " + session);
                }
                Slog.w(TAG_WM, "Failed looking up window callers=" + Debug.getCallers(3));
                return null;
            }
    
            return win;
        }
    

    通过client从mWindowMap里取WindowState,这里的client是activity对应的viewRootImpl持有的w对象。那么在什么时候往mWindowMap添加的呢?回看一下wms#addWindow方法,如果所有异常都排除的话,就会
    执行添加操作。

    final WindowState win = new WindowState(this, session, client, token, parentWindow,
                        appOp[0], seq, attrs, viewVisibility, session.mUid,
                        session.mCanAddInternalSystemWindow);
    mWindowMap.put(client.asBinder(), win);
    

    client.asBinder()刚才说过是viewRootImpl持有的w对象。在activity启动的过程,会把activity对应的viewRootImpl持有的w对象的binderProxy作为key,存入相应的WindowState对象。而当popupWindow添加的时候,刚才从mWindowMap取数据用的key刚好是activity的w对象,所以如果parentWindow就能取到activity对应的WindowState对象。那么parentWindow就不会为空,因为activity的窗口层级是1,所以也不在子窗口范围内。到这里可以得出一个结论,如果当初创建popupWindow时传入的view不是activity的,而是某个子窗口的,比如也是一个popupWindow,我们这里叫他父popupWindow,那么parentWindow.mAttrs.type就是父popupWindow的层级,那么就会抛异常。
    分析到这里,我们发现好像并没有任何问题,那么文章最开始说的报错是怎么回事呢?我们可以猜测一下,parentWindow如果存在的话,那么他的层级肯定不是子窗口,那么另外一种可能就是parentWindow为null。那么parentWindow为什么会为null呢?除非activity还没有把他的w对象存进来,也就是没有执行代码。那么也就是说activity的窗口还没添加,而popupwindow先添加了。回去看一下activity的启动流程:
    ActivityThread#handleResumeActivity

    @Override
        public void handleResumeActivity(IBinder token, boolean finalStateRequest, boolean isForward,
                String reason) {
    final ActivityClientRecord r = performResumeActivity(token, finalStateRequest, reason);
    
    if (r.window == null && !a.mFinished && willBeVisible) {
                r.window = r.activity.getWindow();
                View decor = r.window.getDecorView();
                decor.setVisibility(View.INVISIBLE);
                ViewManager wm = a.getWindowManager();
                WindowManager.LayoutParams l = r.window.getAttributes();
                a.mDecor = decor;
                l.type = WindowManager.LayoutParams.TYPE_BASE_APPLICATION;
                l.softInputMode |= forwardBit;
                if (r.mPreserveWindow) {
                    a.mWindowAdded = true;
                    r.mPreserveWindow = false;
                    // Normally the ViewRoot sets up callbacks with the Activity
                    // in addView->ViewRootImpl#setView. If we are instead reusing
                    // the decor view we have to notify the view root that the
                    // callbacks may have changed.
                    ViewRootImpl impl = decor.getViewRootImpl();
                    if (impl != null) {
                        impl.notifyChildRebuilt();
                    }
                }
                if (a.mVisibleFromClient) {
                    if (!a.mWindowAdded) {
                        a.mWindowAdded = true;
                        wm.addView(decor, l);
                    } else {
                        // The activity will get a callback for this {@link LayoutParams} change
                        // earlier. However, at that time the decor will not be set (this is set
                        // in this method), so no action will be taken. This call ensures the
                        // callback occurs with the decor set.
                        a.onWindowAttributesChanged(l);
                    }
                }
    }
    

    performResumeActivity方法里会去执行activity#onResume,然后接下来acitivity的windowmanager执行了addView方法,也就是说activity添加窗口的操作是在onResume方法之后。那就难怪了,无论我们popupwindow是在onCreate还是onResume方法当中去show都会造成parentWindow为空的情况。所以抛异常也就不足为奇了。

    view#post

    那怎么解决呢?网上一搜,最简单的方法如下:

    view.post {
        showPopupWindow()
    }
    

    这样实现确实方便,那么原理是什么呢?我们来分析源码:

    public boolean post(Runnable action) {
            final AttachInfo attachInfo = mAttachInfo;
            if (attachInfo != null) {
                return attachInfo.mHandler.post(action);
            }
    
            // Postpone the runnable until we know on which thread it needs to run.
            // Assume that the runnable will be successfully placed after attach.
            getRunQueue().post(action);
            return true;
        }
    

    刚才说过AttachInfo是通过dispatchAttachedToWindow方法注入的,调用的时机是viewRootImpl#setView方法中,也就是activity的添加窗口的时候,显然onCreate或者onResume还没有开始这个操作。所以会走getRunQueue().post(action)

    private HandlerActionQueue getRunQueue() {
            if (mRunQueue == null) {
                mRunQueue = new HandlerActionQueue();
            }
            return mRunQueue;
        }
    
    public class HandlerActionQueue {
        private HandlerAction[] mActions;
        private int mCount;
    
        public void post(Runnable action) {
            postDelayed(action, 0);
        }
    
        public void postDelayed(Runnable action, long delayMillis) {
            final HandlerAction handlerAction = new HandlerAction(action, delayMillis);
    
            synchronized (this) {
                if (mActions == null) {
                    mActions = new HandlerAction[4];
                }
                mActions = GrowingArrayUtils.append(mActions, mCount, handlerAction);
                mCount++;
            }
        }
    
    public void executeActions(Handler handler) {
            synchronized (this) {
                final HandlerAction[] actions = mActions;
                for (int i = 0, count = mCount; i < count; i++) {
                    final HandlerAction handlerAction = actions[i];
                    handler.postDelayed(handlerAction.action, handlerAction.delay);
                }
    
                mActions = null;
                mCount = 0;
            }
        }
    }
    

    其实就是把runnable和delay存入了HandlerAction,再放入HandlerAction数组中。

    private static class HandlerAction {
            final Runnable action;
            final long delay;
    
            public HandlerAction(Runnable action, long delay) {
                this.action = action;
                this.delay = delay;
            }
    
            public boolean matches(Runnable otherAction) {
                return otherAction == null && action == null
                        || action != null && action.equals(otherAction);
            }
        }
    

    而执行的方法executeActions,就是遍历HandlerAction数组,取出runnable,通过handler参数把runnable放入队列。
    那么这个执行的方法在哪里调用的呢?
    View#dispatchAttachedToWindow

    void dispatchAttachedToWindow(AttachInfo info, int visibility) {
            mAttachInfo = info;
    
            if (mRunQueue != null) {
                mRunQueue.executeActions(info.mHandler);
                mRunQueue = null;
            }
        }
    

    这个方法很熟悉,就是在viewRootImpl#setView中的requestLayout方法。细心的同学要问了,requestLayout方法不是在wms#addWindow之前执行吗?大兄弟,要先搞清楚这里的executeActions只是通过handler把runnable放入对应线程的队列,并不是马上执行。要等消息队列中当前的其他任务都执行完才会执行我们现在加入的任务。那么当前有哪些任务呢?我们还是看源码。之前分析过,activity的启动过程中,在activityThread内部有个handler叫H,通过他我们把任务添加进主线程的消息队列中。消息队列中的任务主要有两个,一个是handleStartActivity,一个是handleResumeActivity。前面的方法里会去创建activity对象并调用onCreate方法,我这里称他为create过程;后面的方法里会去添加窗口并调用onResume方法,我这里称他为resume过程。那么这两个过程是什么时候加入消息队列的呢?
    ActivityStackSupervisor#realStartActivityLocked

    final boolean realStartActivityLocked(ActivityRecord r, ProcessRecord app,
                boolean andResume, boolean checkConfig) throws RemoteException {
            clientTransaction.addCallback(LaunchActivityItem.obtain(new Intent(r.intent),
                            System.identityHashCode(r), r.info,
                            // TODO: Have this take the merged configuration instead of separate global
                            // and override configs.
                            mergedConfiguration.getGlobalConfiguration(),
                            mergedConfiguration.getOverrideConfiguration(), r.compat,
                            r.launchedFromPackage, task.voiceInteractor, app.repProcState, r.icicle,
                            r.persistentState, results, newIntents, mService.isNextTransitionForward(),
                            profilerInfo));
    
    if (andResume) {
                        lifecycleItem = ResumeActivityItem.obtain(mService.isNextTransitionForward());
                    } else {
                        lifecycleItem = PauseActivityItem.obtain();
                    }
                    clientTransaction.setLifecycleStateRequest(lifecycleItem);
    }
    
    Service.getLifecycleManager().scheduleTransaction(clientTransaction);
    
    public void setLifecycleStateRequest(ActivityLifecycleItem stateRequest) {
            mLifecycleStateRequest = stateRequest;
        }
    

    clientTransaction首先把LaunchActivityItem添加为callback,然后把ResumeActivityItem赋值给mLifecycleStateRequest,最后开始执行scheduleTransaction。

    void scheduleTransaction(ClientTransaction transaction) throws RemoteException {
            final IApplicationThread client = transaction.getClient();
            transaction.schedule();
            if (!(client instanceof Binder)) {
                // If client is not an instance of Binder - it's a remote call and at this point it is
                // safe to recycle the object. All objects used for local calls will be recycled after
                // the transaction is executed on client in ActivityThread.
                transaction.recycle();
            }
        }
    

    其实就是执行了ClientTransaction#schedule()

    public void schedule() throws RemoteException {
            mClient.scheduleTransaction(this);
        }
    

    mClient是IApplicationThread,调用他的scheduleTransaction方法实际是通过binder做了ipc操作,回到了我们自己进程的binder线程池中。

    @Override
            public void scheduleTransaction(ClientTransaction transaction) throws RemoteException {
                ActivityThread.this.scheduleTransaction(transaction);
            }
    

    ActivityThread没有scheduleTransaction方法,那么看一下父类:
    ClientTransactionHandler#scheduleTransaction

    void scheduleTransaction(ClientTransaction transaction) {
            transaction.preExecute(this);
            sendMessage(ActivityThread.H.EXECUTE_TRANSACTION, transaction);
        }
    

    这里又会去调用子类也就是ActivityThread的sendMessage,通过handler切换到主线程,真正往主线程的消息队列添加任务。那么添加了什么任务呢?

    case EXECUTE_TRANSACTION:
                        final ClientTransaction transaction = (ClientTransaction) msg.obj;
                        mTransactionExecutor.execute(transaction);
                        if (isSystem()) {
                            // Client transactions inside system process are recycled on the client side
                            // instead of ClientLifecycleManager to avoid being cleared before this
                            // message is handled.
                            transaction.recycle();
                        }
                        // TODO(lifecycler): Recycle locally scheduled transactions.
                        break;
    

    TransactionExecutor#execute

    public void execute(ClientTransaction transaction) {
            final IBinder token = transaction.getActivityToken();
            log("Start resolving transaction for client: " + mTransactionHandler + ", token: " + token);
    
            executeCallbacks(transaction);
    
            executeLifecycleState(transaction);
            mPendingActions.clear();
            log("End resolving transaction");
        }
    

    先后执行了executeCallbacks方法和executeLifecycleState方法。

    public void executeCallbacks(ClientTransaction transaction) {
    for (int i = 0; i < size; ++i) {
                final ClientTransactionItem item = callbacks.get(i);
                log("Resolving callback: " + item);
                final int postExecutionState = item.getPostExecutionState();
                final int closestPreExecutionState = mHelper.getClosestPreExecutionState(r,
                        item.getPostExecutionState());
                if (closestPreExecutionState != UNDEFINED) {
                    cycleToPath(r, closestPreExecutionState);
                }
    
                item.execute(mTransactionHandler, token, mPendingActions);
                item.postExecute(mTransactionHandler, token, mPendingActions);
                if (r == null) {
                    // Launch activity request will create an activity record.
                    r = mTransactionHandler.getActivityClient(token);
                }
    
                if (postExecutionState != UNDEFINED && r != null) {
                    // Skip the very last transition and perform it by explicit state request instead.
                    final boolean shouldExcludeLastTransition =
                            i == lastCallbackRequestingState && finalState == postExecutionState;
                    cycleToPath(r, postExecutionState, shouldExcludeLastTransition);
                }
            }
    }
    

    executeCallbacks方法就是把callback取出来去执行,这里就是我们之前添加的LaunchActivityItem。

    @Override
        public void execute(ClientTransactionHandler client, IBinder token,
                PendingTransactionActions pendingActions) {
            Trace.traceBegin(TRACE_TAG_ACTIVITY_MANAGER, "activityStart");
            ActivityClientRecord r = new ActivityClientRecord(token, mIntent, mIdent, mInfo,
                    mOverrideConfig, mCompatInfo, mReferrer, mVoiceInteractor, mState, mPersistentState,
                    mPendingResults, mPendingNewIntents, mIsForward,
                    mProfilerInfo, client);
            client.handleLaunchActivity(r, pendingActions, null /* customIntent */);
            Trace.traceEnd(TRACE_TAG_ACTIVITY_MANAGER);
        }
    

    看到了我们熟悉的create过程。
    再来看下executeLifecycleState方法:

    private void executeLifecycleState(ClientTransaction transaction) {
    final ActivityLifecycleItem lifecycleItem = transaction.getLifecycleStateRequest();
    lifecycleItem.postExecute(mTransactionHandler, token, mPendingActions);
    }
    
    public ActivityLifecycleItem getLifecycleStateRequest() {
            return mLifecycleStateRequest;
        }
    

    transaction#getLifecycleStateRequest获取到的就是之前注入的mLifecycleStateRequest,也就是ResumeActivityItem对象,看下他的execute方法:

    @Override
        public void execute(ClientTransactionHandler client, IBinder token,
                PendingTransactionActions pendingActions) {
            Trace.traceBegin(TRACE_TAG_ACTIVITY_MANAGER, "activityResume");
            client.handleResumeActivity(token, true /* finalStateRequest */, mIsForward,
                    "RESUME_ACTIVITY");
            Trace.traceEnd(TRACE_TAG_ACTIVITY_MANAGER);
        }
    

    又看到了我们熟悉的resume过程。
    好了,到这里我们发现,create过程和resume过程是被放在一起作为一个任务加入到主线程的消息列表中的。所以只要在create过程或者resume过程执行的任何时候往消息队列添加任务,被添加的任务都需要等待这两个过程执行完才能执行。
    回到前面的问题,executeActions把runnable加入消息队列是在wms#addWindow,这段代码是执行在resume过程的,当然runnable也必须在这之后执行了。
    现在又有同学问了,以上分析能够成立的前提是runnable必须加入主线程的消息队列啊,也就是handler必须对应主线程的。那我们来看一下是不是这样的。

    if (mRunQueue != null) {
                mRunQueue.executeActions(info.mHandler);
                mRunQueue = null;
            }
    
    mAttachInfo = new View.AttachInfo(mWindowSession, mWindow, display, this, mHandler, this,
                    context);
    
    final ViewRootHandler mHandler = new ViewRootHandler();
    
    final class ViewRootHandler extends Handler {
    }
    

    这个handler是AttachInfo的变量,构造函数传入的是mHandler ,他是ViewRootHandler,继承自handler。这个handler创建的时候没有显示指定Looper,那么他的looper就是当前线程的looper。handler是ViewRootImpl初始化的时候创建的,ViewRootImpl又是在activity添加窗口的过程创建的,添加窗口的过程又是在ActivityThread#handleResumeActivity里执行的,刚才说过这个方法是在主线程中执行,所以这个handler的looper必然就是主线程的looper。

    相关文章

      网友评论

          本文标题:ams,wms都需要用到的token解析

          本文链接:https://www.haomeiwen.com/subject/jsxbgctx.html