Android 7.1   屏幕旋转流程分析

一、概述

Android屏幕的旋转在framework主要涉及到三个类,结构如图

PhoneWindowManager:为屏幕的横竖屏转换的管理类。

WindowOrientationListener: 是一个传感器的listener的基类,PhoneWindowManager的MyOrientationListener继承自该基类。

WindowManagerService:是具体实施屏幕旋转的工作。

代码路径:

PhoneWindowManager:

路径:/frameworks/base/services/core/java/com/android/server/policy/PhoneWindowManager.java

WindowOrientationListener:

路径:

/frameworks/base/services/core/java/com/android/server/policy/WindowOrientationListener.java

WindowManagerService:

路径:

/fram eworks/base/services/core/java/com/android/server/wm/WindowManagerService.java

总的流程大致如下:

PhoneWindowManager实现一个MyOrientationListener用来注册和监听传感器(屏幕)变化,根据用户设置情况(是否允许屏幕旋转)来启动和关闭监听。当屏幕方向变化时PhoneWindowManager通过调用 WindowManagerService具体来完成屏幕的旋转。

二、流程分析

1)PhoneWindownManager 开启监听

A: 监听用户设置的变化

PhoneWindownManager 通过注册一个ContentObserver来监听用户设置的变化,当用户设置变化后调用updateSettings()函数,做设置变化的更新和做相应的动作。

  class SettingsObserver extends ContentObserver {SettingsObserver(Handler handler) {super(handler);}void observe() {// Observe all users' changesContentResolver resolver = mContext.getContentResolver();resolver.registerContentObserver(Settings.System.getUriFor(Settings.System.END_BUTTON_BEHAVIOR), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.Secure.getUriFor(Settings.Secure.INCALL_POWER_BUTTON_BEHAVIOR), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.Secure.getUriFor(Settings.Secure.INCALL_BACK_BUTTON_BEHAVIOR), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.Secure.getUriFor(Settings.Secure.WAKE_GESTURE_ENABLED), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.System.getUriFor(Settings.System.ACCELEROMETER_ROTATION), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.System.getUriFor(Settings.System.USER_ROTATION), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.System.getUriFor(Settings.System.SCREEN_OFF_TIMEOUT), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.System.getUriFor(Settings.System.POINTER_LOCATION), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.Secure.getUriFor(Settings.Secure.DEFAULT_INPUT_METHOD), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.Secure.getUriFor(Settings.Secure.IMMERSIVE_MODE_CONFIRMATIONS), false, this,UserHandle.USER_ALL);resolver.registerContentObserver(Settings.Global.getUriFor(Settings.Global.POLICY_CONTROL), false, this,UserHandle.USER_ALL);updateSettings();}@Override public void onChange(boolean selfChange) {updateSettings();updateRotation(false);}}

B:监听传感器(设备方向)的变化

PhoneWindownManager是通过其中的updateSettings()函数来更新用户的设定来判断是否需要启动方向监听(即设置中的屏幕锁定按钮),如果允许屏幕旋转则去注册传感器的监听。

 public void updateSettings() {ContentResolver resolver = mContext.getContentResolver();boolean updateRotation = false;synchronized (mLock) {
。。。。。。。。。// Configure rotation lock.int userRotation = Settings.System.getIntForUser(resolver,Settings.System.USER_ROTATION, Surface.ROTATION_0,UserHandle.USER_CURRENT);if (mUserRotation != userRotation) {mUserRotation = userRotation;updateRotation = true;}int userRotationMode = Settings.System.getIntForUser(resolver,Settings.System.ACCELEROMETER_ROTATION, 0, UserHandle.USER_CURRENT) != 0 ?WindowManagerPolicy.USER_ROTATION_FREE :WindowManagerPolicy.USER_ROTATION_LOCKED;if (mUserRotationMode != userRotationMode) {mUserRotationMode = userRotationMode;updateRotation = true;updateOrientationListenerLp();}if (mSystemReady) {int pointerLocation = Settings.System.getIntForUser(resolver,Settings.System.POINTER_LOCATION, 0, UserHandle.USER_CURRENT);if (mPointerLocationMode != pointerLocation) {mPointerLocationMode = pointerLocation;mHandler.sendEmptyMessage(pointerLocation != 0 ?MSG_ENABLE_POINTER_LOCATION : MSG_DISABLE_POINTER_LOCATION);}}// use screen off timeout setting as the timeout for the lockscreenmLockScreenTimeout = Settings.System.getIntForUser(resolver,Settings.System.SCREEN_OFF_TIMEOUT, 0, UserHandle.USER_CURRENT);String imId = Settings.Secure.getStringForUser(resolver,Settings.Secure.DEFAULT_INPUT_METHOD, UserHandle.USER_CURRENT);boolean hasSoftInput = imId != null && imId.length() > 0;if (mHasSoftInput != hasSoftInput) {mHasSoftInput = hasSoftInput;updateRotation = true;}if (mImmersiveModeConfirmation != null) {mImmersiveModeConfirmation.loadSetting(mCurrentUserId);}}synchronized (mWindowManagerFuncs.getWindowManagerLock()) {PolicyControl.reloadFromSetting(mContext);}if (updateRotation) {updateRotation(true);}}

C: updateOrientationListenerLp()函数多种场景下都会被调用:(注释很清楚无需解释)

(1)     screen turning off, should always disable listeners if already enabled

(2)     screen turned on and current app has sensor based orientation, enable listeners if not already enabled

(3)     screen turned on and current app does not have sensor orientation, disable listeners if already enabled

(4)     screen turning on and current app has sensor based orientation, enable listeners if needed

(5)     screen turning on and current app has nosensor based orientation, do nothing

 void updateOrientationListenerLp() {if (!mOrientationListener.canDetectOrientation()) {// If sensor is turned off or nonexistent for some reasonreturn;}// Could have been invoked due to screen turning on or off or// change of the currently visible window's orientation.if (localLOGV) Slog.v(TAG, "mScreenOnEarly=" + mScreenOnEarly+ ", mAwake=" + mAwake + ", mCurrentAppOrientation=" + mCurrentAppOrientation+ ", mOrientationSensorEnabled=" + mOrientationSensorEnabled+ ", mKeyguardDrawComplete=" + mKeyguardDrawComplete+ ", mWindowManagerDrawComplete=" + mWindowManagerDrawComplete);boolean disable = true;// Note: We postpone the rotating of the screen until the keyguard as well as the// window manager have reported a draw complete.if (mScreenOnEarly && mAwake &&mKeyguardDrawComplete && mWindowManagerDrawComplete) {if (needSensorRunningLp()) {disable = false;//enable listener if not already enabledif (!mOrientationSensorEnabled) {mOrientationListener.enable();if(localLOGV) Slog.v(TAG, "Enabling listeners");mOrientationSensorEnabled = true;}}}//check if sensors need to be disabledif (disable && mOrientationSensorEnabled) {mOrientationListener.disable();if(localLOGV) Slog.v(TAG, "Disabling listeners");mOrientationSensorEnabled = false;}}

D: WindowOrientationListener的enable()和disable()

启动和取消传感器事件的监听,是通过调 SensorManager.registerListener()和SensorManager.unregisterListener()函数来完成的,与APP 的传感器事件的监听和取消监听用法没有区别。

 /*** Enables the WindowOrientationListener so it will monitor the sensor and call* {@link #onProposedRotationChanged(int)} when the device orientation changes.*/public void enable() {synchronized (mLock) {if (mSensor == null) {Slog.w(TAG, "Cannot detect sensors. Not enabled");return;}if (mEnabled == false) {if (LOG) {Slog.d(TAG, "WindowOrientationListener enabled");}mOrientationJudge.resetLocked();if (mSensor.getType() == Sensor.TYPE_ACCELEROMETER) {mSensorManager.registerListener(mOrientationJudge, mSensor, mRate, DEFAULT_BATCH_LATENCY, mHandler);} else {mSensorManager.registerListener(mOrientationJudge, mSensor, mRate, mHandler);}mEnabled = true;}}}/*** Disables the WindowOrientationListener.*/public void disable() {synchronized (mLock) {if (mSensor == null) {Slog.w(TAG, "Cannot detect sensors. Invalid disable");return;}if (mEnabled == true) {if (LOG) {Slog.d(TAG, "WindowOrientationListener disabled");}mSensorManager.unregisterListener(mOrientationJudge);mEnabled = false;}}}

2)sensor事件回调

传感器事件是通过WindowOrientationListener 的onProposedRotationChanged()接口回调到PhoneWindownManager中的,然后通过updateRotation()调用windowManagerService的updateRotation()做屏幕旋转。

首先调用PowerManagerInternal.powerHint()来提升cpu的频率来提高屏幕旋转时候的性能,然后调用WindowManager.updateRotation()做屏幕旋转,屏幕旋转的实际操作是由WindowManagerService实际来完成的。

    class MyOrientationListener extends WindowOrientationListener {private final Runnable mUpdateRotationRunnable = new Runnable() {@Overridepublic void run() {// send interaction hint to improve redraw performancemPowerManagerInternal.powerHint(PowerManagerInternal.POWER_HINT_INTERACTION, 0);updateRotation(false);}};MyOrientationListener(Context context, Handler handler) {super(context, handler);}@Overridepublic void onProposedRotationChanged(int rotation) {if (localLOGV) Slog.v(TAG, "onProposedRotationChanged, rotation=" + rotation);mHandler.post(mUpdateRotationRunnable);}}

    void updateRotation(boolean alwaysSendConfiguration) {try {//set orientation on WindowManagermWindowManager.updateRotation(alwaysSendConfiguration, false);} catch (RemoteException e) {// Ignore
        }}

3)WindowManagerService做屏幕旋转

WindowManagerService 大致完成三件事,首先更新屏幕方向,然后具体实施屏幕旋转,最后通知AMS configuration变更。

具体实施屏幕旋转的函数是updateRotationUncheckedLocked()这部分详细旋转过程单独详细分析。

    @Overridepublic void updateRotation(boolean alwaysSendConfiguration, boolean forceRelayout) {updateRotationUnchecked(alwaysSendConfiguration, forceRelayout);}

    public void updateRotationUnchecked(boolean alwaysSendConfiguration, boolean forceRelayout) {if(DEBUG_ORIENTATION) Slog.v(TAG_WM, "updateRotationUnchecked("+ "alwaysSendConfiguration=" + alwaysSendConfiguration + ")");long origId = Binder.clearCallingIdentity();boolean changed;synchronized(mWindowMap) {changed = updateRotationUncheckedLocked(false);if (!changed || forceRelayout) {getDefaultDisplayContentLocked().layoutNeeded = true;mWindowPlacerLocked.performSurfacePlacement();}}if (changed || alwaysSendConfiguration) {sendNewConfiguration();}Binder.restoreCallingIdentity(origId);}

  public boolean updateRotationUncheckedLocked(boolean inTransaction) {if (mDeferredRotationPauseCount > 0) {// Rotation updates have been paused temporarily.  Defer the update until// updates have been resumed.if (DEBUG_ORIENTATION) Slog.v(TAG_WM, "Deferring rotation, rotation is paused.");return false;}ScreenRotationAnimation screenRotationAnimation =mAnimator.getScreenRotationAnimationLocked(Display.DEFAULT_DISPLAY);if (screenRotationAnimation != null && screenRotationAnimation.isAnimating()) {// Rotation updates cannot be performed while the previous rotation change// animation is still in progress.  Skip this update.  We will try updating// again after the animation is finished and the display is unfrozen.if (DEBUG_ORIENTATION) Slog.v(TAG_WM, "Deferring rotation, animation in progress.");return false;}if (mDisplayFrozen) {// Even if the screen rotation animation has finished (e.g. isAnimating// returns false), there is still some time where we haven't yet unfrozen// the display. We also need to abort rotation here.if (DEBUG_ORIENTATION) Slog.v(TAG_WM, "Deferring rotation, still finishing previous rotation");return false;}if (!mDisplayEnabled) {// No point choosing a rotation if the display is not enabled.if (DEBUG_ORIENTATION) Slog.v(TAG_WM, "Deferring rotation, display is not enabled.");return false;}final DisplayContent displayContent = getDefaultDisplayContentLocked();final WindowList windows = displayContent.getWindowList();final int oldRotation = mRotation;int rotation = mPolicy.rotationForOrientationLw(mLastOrientation, mRotation);boolean rotateSeamlessly = mPolicy.shouldRotateSeamlessly(oldRotation, rotation);if (rotateSeamlessly) {for (int i = windows.size() - 1; i >= 0; i--) {WindowState w = windows.get(i);// We can't rotate (seamlessly or not) while waiting for the last seamless rotation// to complete (that is, waiting for windows to redraw). It's tempting to check// w.mSeamlessRotationCount but that could be incorrect in the case of window-removal.if (w.mSeamlesslyRotated) {return false;}// In what can only be called an unfortunate workaround we require// seamlessly rotated child windows to have the TRANSFORM_TO_DISPLAY_INVERSE// flag. Due to limitations in the client API, there is no way for// the client to set this flag in a race free fashion. If we seamlessly rotate// a window which does not have this flag, but then gains it, we will get// an incorrect visual result (rotated viewfinder). This means if we want to// support seamlessly rotating windows which could gain this flag, we can't// rotate windows without it. This limits seamless rotation in N to camera framework// users, windows without children, and native code. This is unfortunate but// having the camera work is our primary goal.if (w.isChildWindow() & w.isVisibleNow() &&!w.mWinAnimator.mSurfaceController.getTransformToDisplayInverse()) {rotateSeamlessly = false;}}}// TODO: Implement forced rotation changes.//       Set mAltOrientation to indicate that the application is receiving//       an orientation that has different metrics than it expected.//       eg. Portrait instead of Landscape.boolean altOrientation = !mPolicy.rotationHasCompatibleMetricsLw(mLastOrientation, rotation);if (DEBUG_ORIENTATION) {Slog.v(TAG_WM, "Selected orientation "+ mLastOrientation + ", got rotation " + rotation+ " which has " + (altOrientation ? "incompatible" : "compatible")+ " metrics");}if (mRotation == rotation && mAltOrientation == altOrientation) {// No change.return false;}if (DEBUG_ORIENTATION) {Slog.v(TAG_WM,"Rotation changed to " + rotation + (altOrientation ? " (alt)" : "")+ " from " + mRotation + (mAltOrientation ? " (alt)" : "")+ ", lastOrientation=" + mLastOrientation);}mRotation = rotation;mAltOrientation = altOrientation;mPolicy.setRotationLw(mRotation);mWindowsFreezingScreen = WINDOWS_FREEZING_SCREENS_ACTIVE;mH.removeMessages(H.WINDOW_FREEZE_TIMEOUT);mH.sendEmptyMessageDelayed(H.WINDOW_FREEZE_TIMEOUT, WINDOW_FREEZE_TIMEOUT_DURATION);mWaitingForConfig = true;displayContent.layoutNeeded = true;final int[] anim = new int[2];if (displayContent.isDimming()) {anim[0] = anim[1] = 0;} else {mPolicy.selectRotationAnimationLw(anim);}if (!rotateSeamlessly) {startFreezingDisplayLocked(inTransaction, anim[0], anim[1]);// startFreezingDisplayLocked can reset the ScreenRotationAnimation.screenRotationAnimation =mAnimator.getScreenRotationAnimationLocked(Display.DEFAULT_DISPLAY);} else {// The screen rotation animation uses a screenshot to freeze the screen// while windows resize underneath.// When we are rotating seamlessly, we allow the elements to transition// to their rotated state independently and without a freeze required.screenRotationAnimation = null;// We have to reset this in case a window was removed before it// finished seamless rotation.mSeamlessRotationCount = 0;}// We need to update our screen size information to match the new rotation. If the rotation// has actually changed then this method will return true and, according to the comment at// the top of the method, the caller is obligated to call computeNewConfigurationLocked().// By updating the Display info here it will be available to// computeScreenConfigurationLocked later.
        updateDisplayAndOrientationLocked(mCurConfiguration.uiMode);final DisplayInfo displayInfo = displayContent.getDisplayInfo();if (!inTransaction) {if (SHOW_TRANSACTIONS) {Slog.i(TAG_WM, ">>> OPEN TRANSACTION setRotationUnchecked");}SurfaceControl.openTransaction();}try {// NOTE: We disable the rotation in the emulator because//       it doesn't support hardware OpenGL emulation yet.if (CUSTOM_SCREEN_ROTATION && screenRotationAnimation != null&& screenRotationAnimation.hasScreenshot()) {if (screenRotationAnimation.setRotationInTransaction(rotation, mFxSession,MAX_ANIMATION_DURATION, getTransitionAnimationScaleLocked(),displayInfo.logicalWidth, displayInfo.logicalHeight)) {scheduleAnimationLocked();}}if (rotateSeamlessly) {for (int i = windows.size() - 1; i >= 0; i--) {WindowState w = windows.get(i);w.mWinAnimator.seamlesslyRotateWindow(oldRotation, mRotation);}}mDisplayManagerInternal.performTraversalInTransactionFromWindowManager();} finally {if (!inTransaction) {SurfaceControl.closeTransaction();if (SHOW_LIGHT_TRANSACTIONS) {Slog.i(TAG_WM, "<<< CLOSE TRANSACTION setRotationUnchecked");}}}for (int i = windows.size() - 1; i >= 0; i--) {WindowState w = windows.get(i);// Discard surface after orientation change, these can't be reused.if (w.mAppToken != null) {w.mAppToken.destroySavedSurfaces();}if (w.mHasSurface && !rotateSeamlessly) {if (DEBUG_ORIENTATION) Slog.v(TAG_WM, "Set mOrientationChanging of " + w);w.mOrientationChanging = true;mWindowPlacerLocked.mOrientationChangeComplete = false;w.mLastFreezeDuration = 0;}}if (rotateSeamlessly) {mH.removeMessages(H.SEAMLESS_ROTATION_TIMEOUT);mH.sendEmptyMessageDelayed(H.SEAMLESS_ROTATION_TIMEOUT, SEAMLESS_ROTATION_TIMEOUT_DURATION);}for (int i=mRotationWatchers.size()-1; i>=0; i--) {try {mRotationWatchers.get(i).watcher.onRotationChanged(rotation);} catch (RemoteException e) {}}// TODO (multidisplay): Magnification is supported only for the default display.// Announce rotation only if we will not animate as we already have the// windows in final state. Otherwise, we make this call at the rotation end.if (screenRotationAnimation == null && mAccessibilityController != null&& displayContent.getDisplayId() == Display.DEFAULT_DISPLAY) {mAccessibilityController.onRotationChangedLocked(getDefaultDisplayContentLocked(),rotation);}return true;}

Android 7.1 屏幕旋转流程分析相关推荐

  1. android 屏幕旋转流程,android自动屏幕旋转流程分析.doc

    android自动屏幕旋转流程分析.doc android自动屏幕旋转流程分析 在android设置(Settings)中我们可以看到显示(display)下有一个自动屏幕旋转的checkbox, 如 ...

  2. android 11/12/13系统屏幕旋转动画分析-车机手机系统工程师必备

    1.触发屏幕旋转流程 更多内容qqun:422901085 https://ke.qq.com/course/5992266#term_id=106217431 触发流程,这里我先只考虑正常窗手机传感 ...

  3. Android OTA升级原理和流程分析(五)---update.zip包从上层进入Recovery服务

    转载自:http://blog.chinaunix.net/uid-22028566-id-3533854.html 文章开头我们就提到update.zip包来源有两种: 一个是OTA在线下载(一般下 ...

  4. 设置Android默认锁定屏幕旋转

    /*********************************************************************************** 设置Android默认锁定屏幕 ...

  5. Android Audio音量设置原理流程分析

    Android Audio音量设置原理流程分析 简介 本篇文章主要介绍Android音量设置从App应用层到framework层执行流程,以及相关的细节和原理分析,建议在阅读此文章前去看博主的混音理论 ...

  6. 转:Android之 MTP框架和流程分析

    2019独角兽企业重金招聘Python工程师标准>>> 转载:http://www.cnblogs.com/skywang12345/p/3474206.html 概要 本文的目的是 ...

  7. Android 7.0 WifiMonitor工作流程分析

    2019独角兽企业重金招聘Python工程师标准>>> 在wifi启动扫描的分析过程中,出现了多次WifiMonitor的操作,在此分析一下这个函数是如何工作的. 在Android的 ...

  8. android返回后屏幕旋转了,Android recovery 模式下屏幕显示旋转

    Android recovery 模式下屏幕显示旋转 大家在网上搜索 Android屏幕旋转,成千上万的文章,但是没有几个是写recovery 模式的.难道你们只旋转正常模式下的屏幕方向,不管reco ...

  9. android 虚拟按键源码流程分析

    android 虚拟按键流程分析 今天来说说android 的虚拟按键的源码流程.大家都知道,android 系统的状态栏,虚拟按键,下拉菜单,以及通知显示,keyguard 锁屏都是在framewo ...

最新文章

  1. BZOJ1058 [ZJOI2007]报表统计 set
  2. linux 故障注入_阿里巴巴开源故障注入工具_chaosblade
  3. 批量修改文件夹下图片名称(Python)
  4. 设置图片元素上下垂直居中的7种css样式_赵一鸣博客
  5. Linux源码编译安装程序
  6. 如何将实时计算 Flink 与自身环境打通
  7. mysql网络异常_网络连接配置出现异常_网络连接配置无法修复_Mysql网络连接的性能配置项...
  8. .net oa 用到那些技术_惨绝人寰!OA高达834分却只配收拒信?
  9. 模糊PI控制的Simulink仿真(保姆级别)
  10. 今年新型城镇化新看点:加快户籍改革 建设新型智慧城市
  11. 自动驾驶芯片,合适的才是最好的
  12. html浅色_修改CSS样式实现网页灰色(没有颜色只有浅色黑白)的几个方法整理
  13. 超凡颖想之一【换位思考】
  14. 手机sd卡恢复工具android版,SD卡数据恢复软件
  15. Java文件路径问题
  16. 如何使用miniconda(小白入门版)
  17. 你为什么不敢重构代码?
  18. [学渣啃西瓜书]绪论-基本概念辨析(4)-归纳偏好
  19. 浏览器(Browser) WebSql 学习笔记
  20. List集合自定义排序!

热门文章

  1. 精益数据分析 | 学习笔记 (全)
  2. DIV 左右布局方案
  3. html5绘制 布局图,html5 div布局与table布局详解
  4. zego实现简单的web端推拉流
  5. (纪录片)《星际穿越》中的科学 The Science of Interstellar
  6. 牛客练习赛61 - B - 吃水果
  7. 3Dsmax批量导出模型
  8. Linux 防火墙设置指定 IP 访问
  9. 第三方百度网盘同步盘设置
  10. HTML5外包团队—Sencha Touch 2.3 正式版下载