Android屏幕旋转流程(2)

(1)疑问

(1)settings put system user_rotation 1是什么意思?

答:设置用户期望的屏幕转向,0代表:Surface.ROTATION_0竖屏;1代表:Surface.ROTATION_90横屏;

(2)设置user_rotation和GSensor哪个优先级更高,比如user_rotation = 0期待竖屏,但是打开屏幕旋转且处于横屏时,应该是横屏还是竖屏?

答:此时GSensor优先级更高,横屏显示,具体原因看第三个问题。

(3)SystemUI中的“自动旋转”按钮影响的是哪个数据和系统的值?

答:会影响Settings.System.ACCELEROMETER_ROTATION和DisplayRotation.userRotationMode的值。

// When not otherwise specified by the activity's screenOrientation, rotation should be determined by the system (that is, using sensors).
public final int USER_ROTATION_FREE = 0;//When not otherwise specified by the activity's screenOrientation, rotation is set by the user.
public final int USER_ROTATION_LOCKED = 1;USER_ROTATION_FREE :如果应用不指定屏幕方向,sensor传感器决定
USER_ROTATION_LOCKED:如果应用不指定屏幕方向,user决定方向,即user_rotation数据库值

打开自动旋转时候设置的是Settings.System.ACCELEROMETER_ROTATION的值,并且为1,否则设置成0,这个值会直接影响DisplayRotation.userRotationMode的值。

final int userRotationMode = Settings.System.getIntForUser(resolver,Settings.System.ACCELEROMETER_ROTATION, 0, UserHandle.USER_CURRENT) !=0? WindowManagerPolicy.USER_ROTATION_FREE: WindowManagerPolicy.USER_ROTATION_LOCKED;

也就说如果打开了自动旋转,userRotationMode = USER_ROTATION_FREE,代表通过sensor决定;
否则设置成USER_ROTATION_LOCKED,由user_rotation决定。

(2)屏幕旋转流程

在Framework中,屏幕旋转功能主要是由WMS模块中的DisplayRotation对象来完成,在启动WindowManagerService过程中,创建DisplayContent对象时,会创建一个对应的DisplayRotation负责屏幕旋转逻辑,一个DisiplayContent对象对应一个DisplayRotation对象,或者说DisplayContent对象中持有一个DisplayRotation对象。

在DisplayRotation中,将获取Sensor数据并转换成具体方向旋转角度值的逻辑交给了OrientationListener对象来负责。

总结如下:DisplayContent负责控制,DisplayRotation负责执行,OrientationListener负责获取数据。

(A)DisplayRotation的初始化

//frameworks/base/services/core/java/com/android/server/wm/DisplayRotation.javaDisplayRotation(WindowManagerService service, DisplayContent displayContent,DisplayPolicy displayPolicy, DisplayWindowSettings displayWindowSettings,Context context, Object lock) {// 是否支持自动旋转mSupportAutoRotation =mContext.getResources().getBoolean(R.bool.config_supportAutoRotation);// lid open 时指定的旋转角度mLidOpenRotation = readRotation(R.integer.config_lidOpenRotation);// 放在car dock时指定的旋转角度mCarDockRotation = readRotation(R.integer.config_carDockRotation);// 放在desk dock时指定的旋转角度mDeskDockRotation = readRotation(R.integer.config_deskDockRotation);// Hdmi连接时指定的旋转角度mUndockedHdmiRotation = readRotation(R.integer.config_undockedHdmiRotation);if (isDefaultDisplay) {final Handler uiHandler = UiThread.getHandler();// 创建OrientationListener对象mOrientationListener = new OrientationListener(mContext, uiHandler);// 初始化mOrientationListener.setCurrentRotation(mRotation);// 监听SettingsProvider中的变化mSettingsObserver = new SettingsObserver(uiHandler);mSettingsObserver.observe();}}

屏幕旋转离不开Sensor的监听,具体是由OrientationListener来负责,它会获取Sensor对象、监听Sensor数据、将Sensor的数据转换成旋转角度,并通知WindowManagerService更新方向。

(B)OrientationListener监听Gsensor数据

//frameworks/base/services/core/java/com/android/server/wm/DisplayRotation.java
private class OrientationListener extends WindowOrientationListener implements Runnable {transient boolean mEnabled;OrientationListener(Context context, Handler handler,@Surface.Rotation int defaultRotation) {super(context, handler, defaultRotation);}@Overridepublic void onProposedRotationChanged(@Surface.Rotation int rotation) {ProtoLog.v(WM_DEBUG_ORIENTATION, "onProposedRotationChanged, rotation=%d", rotation);// Send interaction power boost to improve redraw performance.mService.mPowerManagerInternal.setPowerBoost(Boost.INTERACTION, 0);dispatchProposedRotation(rotation);if (isRotationChoiceAllowed(rotation)) {mRotationChoiceShownToUserForConfirmation = rotation;final boolean isValid = isValidRotationChoice(rotation);sendProposedRotationChangeToStatusBarInternal(rotation, isValid);} else {mRotationChoiceShownToUserForConfirmation = ROTATION_UNDEFINED;mService.updateRotation(false /* alwaysSendConfiguration */,false /* forceRelayout */);}}@Overridepublic void enable() {mEnabled = true;getHandler().post(this);ProtoLog.v(WM_DEBUG_ORIENTATION, "Enabling listeners");}@Overridepublic void disable() {mEnabled = false;getHandler().post(this);ProtoLog.v(WM_DEBUG_ORIENTATION, "Disabling listeners");}@Overridepublic void run() {if (mEnabled) {super.enable();} else {super.disable();}}}

我们看一下它的父类WindowOrientationListener相关。

//frameworks/base/services/core/java/com/android/server/wm/WindowOrientationListener.java
public abstract class WindowOrientationListener {public WindowOrientationListener(Context context, Handler handler,@Surface.Rotation int defaultRotation) {this(context, handler, defaultRotation, SensorManager.SENSOR_DELAY_UI);}private WindowOrientationListener(Context context, Handler handler,@Surface.Rotation int defaultRotation, int rate) {mContext = context;mHandler = handler;mDefaultRotation = defaultRotation;mSensorManager = (SensorManager) context.getSystemService(Context.SENSOR_SERVICE);mRate = rate;List<Sensor> l = mSensorManager.getSensorList(Sensor.TYPE_DEVICE_ORIENTATION);Sensor wakeUpDeviceOrientationSensor = null;Sensor nonWakeUpDeviceOrientationSensor = null;for (Sensor s : l) {if (s.isWakeUpSensor()) {wakeUpDeviceOrientationSensor = s;} else {nonWakeUpDeviceOrientationSensor = s;}}if (wakeUpDeviceOrientationSensor != null) {mSensor = wakeUpDeviceOrientationSensor;} else {mSensor = nonWakeUpDeviceOrientationSensor;}if (mSensor != null) {//优先使用此种Sensor监听mOrientationJudge = new OrientationSensorJudge();}if (mOrientationJudge == null) {mSensor = mSensorManager.getDefaultSensor(USE_GRAVITY_SENSOR? Sensor.TYPE_GRAVITY : Sensor.TYPE_ACCELEROMETER);if (mSensor != null) {// Create listener only if sensors do exist//还有另外一种选择mOrientationJudge = new AccelSensorJudge(context);}}}abstract boolean isRotationResolverEnabled();public abstract void onProposedRotationChanged(int rotation);
}

OrientationSensorJudge和AccelSensorJudge都是继承自OrientationJudge,而OrientationJudge类作为SensorEventListener的实现类来接收Sensor事件,根据不同的Sensor会有不同的OrientationJudge对象与之匹配,之所以这样做是因为不同的Sensor上报的原始数据不同,因此需要做不同的转换才能获得最终的旋转角度值。

//frameworks/base/services/core/java/com/android/server/wm/WindowOrientationListener.java
abstract class OrientationJudge implements SensorEventListener {//...@Overridepublic abstract void onAccuracyChanged(Sensor sensor, int accuracy);@Overridepublic abstract void onSensorChanged(SensorEvent event);}
final class OrientationSensorJudge extends OrientationJudge {public void onSensorChanged(SensorEvent event) {int reportedRotation = (int) event.values[0];if (reportedRotation < 0 || reportedRotation > 3) {return;}//...finalizeRotation(reportedRotation);}@Overridepublic void onAccuracyChanged(Sensor sensor, int accuracy) { }
}private void finalizeRotation(int reportedRotation) {int newRotation;synchronized (mLock) {mDesiredRotation = reportedRotation;newRotation = evaluateRotationChangeLocked();}if (newRotation >= 0) {mLastRotationResolution = newRotation;mLastRotationResolutionTimeStamp = SystemClock.uptimeMillis();//最终回调子类实现的onProposedRotationChanged函数onProposedRotationChanged(newRotation);}}

最终调用到OrientationListener的onProposedRotationChanged函数。

//frameworks/base/services/core/java/com/android/server/wm/WindowOrientationListener.java
final class AccelSensorJudge extends OrientationJudge {public void onSensorChanged(SensorEvent event) {float x = event.values[ACCELEROMETER_DATA_X];float y = event.values[ACCELEROMETER_DATA_Y];float z = event.values[ACCELEROMETER_DATA_Z];	  final long now = event.timestamp;final long then = mLastFilteredTimestampNanos;final float timeDeltaMS = (now - then) * 0.000001f;//各种计算函数// Determine new proposed rotation.oldProposedRotation = mProposedRotation;if (mPredictedRotation < 0 || isPredictedRotationAcceptableLocked(now)) {mProposedRotation = mPredictedRotation;}proposedRotation = mProposedRotation;// Tell the listener.if (proposedRotation != oldProposedRotation && proposedRotation >= 0) {//最终回调子类实现的onProposedRotationChanged函数onProposedRotationChanged(proposedRotation);}}@Overridepublic void onAccuracyChanged(Sensor sensor, int accuracy) {}//判断当前的方向改变是否需要更新到系统private boolean isPredictedRotationAcceptableLocked(long now) {// The predicted rotation must have settled long enough.//当前角度需要保持40ms以上if (now < mPredictedRotationTimestampNanos + PROPOSAL_SETTLE_TIME_NANOS) {return false;}// The last flat state (time since picked up) must have been sufficiently long ago.//从手机平放着拿起需要500ms才会转屏if (now < mFlatTimestampNanos + PROPOSAL_MIN_TIME_SINCE_FLAT_ENDED_NANOS) {return false;}// The last swing state (time since last movement to put down) must have been sufficiently long ago.//晃动后300ms内都不能转屏if (now < mSwingTimestampNanos + PROPOSAL_MIN_TIME_SINCE_SWING_ENDED_NANOS) {return false;}// The last acceleration state must have been sufficiently long ago.//加速转动的时候500ms都不能转屏if (now < mAccelerationTimestampNanos+ PROPOSAL_MIN_TIME_SINCE_ACCELERATION_ENDED_NANOS) {return false;}// The last touch must have ended sufficiently long ago.//手没有触摸屏幕500ms才能转屏if (mTouched || now < mTouchEndedTimestampNanos+ PROPOSAL_MIN_TIME_SINCE_TOUCH_END_NANOS) {return false;}// Looks good!return true;}
}

可以看出以上二种实现,最终都会调用子类的onProposedRotationChanged函数来更新屏幕方向。

(C)监听SettingsProvider字段

另外在涉及到方向旋转功能上,DisplayRotation中还监听了以下四个SettingsProvider中的字段:

//frameworks/base/services/core/java/com/android/server/wm/DisplayRotation.javaprivate class SettingsObserver extends ContentObserver {SettingsObserver(Handler handler) {super(handler);}void observe() {final ContentResolver resolver = mContext.getContentResolver();resolver.registerContentObserver(Settings.Secure.getUriFor(Settings.Secure.SHOW_ROTATION_SUGGESTIONS), 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.Secure.getUriFor(Settings.Secure.CAMERA_AUTOROTATE), false, this,UserHandle.USER_ALL);updateSettings();}@Overridepublic void onChange(boolean selfChange) {if (updateSettings()) {mService.updateRotation(true /* alwaysSendConfiguration */,false /* forceRelayout */);}}}
  • Settings.System.ACCELEROMETER_ROTATION:该字段表示屏幕旋转模式,是否使用加速度传感器控制屏幕的方向旋转,开启时表示自由模式,关闭表示锁定模式;
  • Settings.System.USER_ROTATION:用户设置的屏幕旋转方向值,当没有使用加速度传感器,且顶层Activity没有指定旋转方向时作为默认值使用;
//frameworks/base/services/core/java/com/android/server/wm/DisplayRotation.java
private boolean updateSettings() {final ContentResolver resolver = mContext.getContentResolver();// 是否更新旋转方向值boolean shouldUpdateRotation = false;synchronized (mLock) {// 是否更新旋转方向监听boolean shouldUpdateOrientationListener = false;// Configure rotation suggestions.final int showRotationSuggestions =ActivityManager.isLowRamDeviceStatic()? Settings.Secure.SHOW_ROTATION_SUGGESTIONS_DISABLED: Settings.Secure.getIntForUser(resolver,Settings.Secure.SHOW_ROTATION_SUGGESTIONS,Settings.Secure.SHOW_ROTATION_SUGGESTIONS_DEFAULT,UserHandle.USER_CURRENT);if (mShowRotationSuggestions != showRotationSuggestions) {mShowRotationSuggestions = showRotationSuggestions;shouldUpdateOrientationListener = true;}// Configure rotation lock.final int userRotation = Settings.System.getIntForUser(resolver,Settings.System.USER_ROTATION, Surface.ROTATION_0,UserHandle.USER_CURRENT);if (mUserRotation != userRotation) {mUserRotation = userRotation;shouldUpdateRotation = true;}final 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;shouldUpdateOrientationListener = true;shouldUpdateRotation = true;}// 更新方向旋转监听状态if (shouldUpdateOrientationListener) {updateOrientationListenerLw(); // Enable or disable the orientation listener.}final int cameraRotationMode = Settings.Secure.getIntForUser(resolver,Settings.Secure.CAMERA_AUTOROTATE, 0,UserHandle.USER_CURRENT);if (mCameraRotationMode != cameraRotationMode) {mCameraRotationMode = cameraRotationMode;shouldUpdateRotation = true;}}return shouldUpdateRotation;}
  • shouldUpdateRotation = true表示需要更新旋转角度;
  • shouldUpdateOrientationListener = true表示要更新旋转方向的监听状态;
  • mUserRotationMode表示当前的方向旋转模式;

(D)方向旋转Sensor监听的注册与解除

旋转角度监听状态的更新在DisplayRotation.updateOrientationListenerLw()方法中,这里会进行旋转角度相关Sensor的注册和解除流程。

查看代码发现,在亮灭屏流程中,当keyguard绘制状态、window状态发生变化后,也都会通过DisplayRotation.updateOrientationListener()方法更新方向旋转Sensor的监听状态。

public void updateOrientationListener() {synchronized (mLock) {updateOrientationListenerLw();}}

下面就来看一下,系统在什么场景下需要监听相关Sensor来进行方向旋转,什么情况下不需要监听。

private void updateOrientationListenerLw() {if (mOrientationListener == null || !mOrientationListener.canDetectOrientation()) {// If sensor is turned off or nonexistent for some reason.return;}// 是否正在进行点亮屏幕的操作final boolean screenOnEarly = mDisplayPolicy.isScreenOnEarly();// 是否唤醒系统final boolean awake = mDisplayPolicy.isAwake();// keyguard绘制是否完成final boolean keyguardDrawComplete = mDisplayPolicy.isKeyguardDrawComplete();// 窗口绘制是否完成final boolean windowManagerDrawComplete = mDisplayPolicy.isWindowManagerDrawComplete();boolean disable = true;// 只有在屏幕唤醒状态,且keyguard和窗口全部绘制完成的情况下,才会有资格注册sensor监听if (screenOnEarly&& (awake || mOrientationListener.shouldStayEnabledWhileDreaming())&& ((keyguardDrawComplete && windowManagerDrawComplete))) {if (needSensorRunning()) {disable = false;// Enable listener if not already enabled.if (!mOrientationListener.mEnabled) {mOrientationListener.enable();}}}// Check if sensors need to be disabled.if (disable) {mOrientationListener.disable();}}

对于旋转角度Sensor的注册/解除,会有多个因素决定,如是否亮屏、Keyguard绘制是否完成等。其规则是,在屏幕唤醒状态,且keyguard和窗口全部绘制完成的情况下,如果needSensorRunning()方法返回true,就会注册Sensor去监听方向旋转。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/diannao/56211.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

cmake与c/c++拓展的关联

CMake和VSCode中的C扩展在项目管理和代码编辑中起到不同的作用。CMake用于构建系统配置&#xff0c;负责生成编译项目所需的Makefile或其他构建文件&#xff0c;而VSCode中的C扩展负责代码编辑、语法高亮、代码提示和调试等功能。 在VSCode中&#xff0c;即使CMake已经正确配置…

华宇携司法大模型亮相2024中国移动全球合作伙伴大会

2024中国移动全球合作伙伴大会于10月11日在广州琶洲保利世贸博览馆盛大开幕。本届大会以“智焕新生 共创AI时代”为主题&#xff0c;深入探讨数据、算力与人工智能如何深度融合&#xff0c;全力推进AI规模发展、规模应用&#xff0c;加快形成AI技术能力、经济效益上的规模效应&…

Android中有哪些布局方式?

Android中的布局方式是实现用户界面设计的基础&#xff0c;通过合理的布局&#xff0c;可以创建出美观且易用的应用程序界面。Android提供了多种布局方式&#xff0c;每种布局方式都有其特定的应用场景和特点。以下是对Android中主要布局方式的详细介绍&#xff1a; 一、线性布…

第十三章 RabbitMQ之消息幂等性

目录 一、引言 二、消息幂等解决方案 2.1. 方案一 2.2. 方案二 一、引言 幂等是一个数学概念&#xff0c;用函数表达式来描述是这样的&#xff1a;f(x) f(f(x)) 。在程序开发中&#xff0c;则是指同一个业务&#xff0c;执行一次或多次对业务状态的影响是一致的。有些业务…

react实现实时计时的最简方式

js中时间的处理&#xff0c;不借助于moment/dayjs这样的工具库&#xff0c;原生获取格式化的时间&#xff0c;最简单的实现方式可以参考下面这样。 实现效果 代码实现 封装hooks import { useState, useEffect } from "react";export function useCountTime() {c…

Python酷库之旅-第三方库Pandas(150)

目录 一、用法精讲 681、pandas.Timestamp.now方法 681-1、语法 681-2、参数 681-3、功能 681-4、返回值 681-5、说明 681-6、用法 681-6-1、数据准备 681-6-2、代码示例 681-6-3、结果输出 682、pandas.Timestamp.replace方法 682-1、语法 682-2、参数 682-3、…

MongoDB Shell的使用

下载地址&#xff1a;https://www.mongodb.com/try/download/shell 以下是关于如何使用 MongoDB Shell 的一些基本步骤和常见操作&#xff1a; 前提条件&#xff1a;确保已经安装并启动了 MongoDB 服务。 启动 MongoDB Shell&#xff1a;在命令行终端中输入mongosh命令。如果…

Java 拉取并解析Kafka的Topic,Insert到InfluxDB

Maven依赖 <dependencies><!-- Kafka Client --><dependency><groupId>org.apache.kafka</groupId><artifactId>kafka-clients</artifactId><version>3.4.0</version></dependency><!-- InfluxDB Client --&g…

删除 Docker 容器的日志文件

要删除 Docker 容器的日志文件,你可以通过以下几种方法来实现: 方法一:手动清理日志文件 单容器设置 1.查看容器日志文件位置: Docker 默认的日志文件存储在 /var/lib/docker/containers// 目录下。你可以通过以下命令找到具体位置: [root@BM01-cyzx-sqmygjpt-001 ~]# do…

单点登录Apereo CAS 7.1客户端登出配置及免认证页面问题

从上一篇博客中,我们已经实现了CAS客户端集成和服务端授权,能够通过统一认证登录访问系统资源了,接下来我们讲一下如何实现CAS客户端登出及免认证页面配置的问题,还有以个人见解讲一下CAS和Spring security的关系。 上一篇博客:单点登录Apereo CAS 7.1客户端集成教程-CSD…

VUE 开发——Vue学习(三)—— 智慧商城项目

目录 解释各个模块 api接口模块&#xff1a;发送ajax请求的接口模块utils工具模块&#xff1a;自己封装的一些工具方法模块components组件模块&#xff1a;全局通用的组件router路由模块&#xff1a;封装要所有路由views&#xff1a;各个页面assets&#xff1a;各种资源 van…

源码编译llama.cpp for windows on arm

源码编译llama.cpp for windows on arm 这里有编译好的&#xff0c;直接下载使用 https://github.com/turingevo/llama.cpp-build/releases 1 先编译openblas for windows on arm 查看我的文章 《源码编译 openblas for windows on arm》 2 启用OpenBlas加速 上一步openb…

Java+Jenkins实现自动化打包部署流程

目录 jenkins简介 前置依赖 1. jdk17 2.apache maven 3.8.6 3.git 4.docker 5.下载jenkins 启动配置jenkins 优缺点对比 Jenkins 的优点&#xff1a; Jenkins 的缺点&#xff1a; jenkins简介 Jenkins 是一个开源的自动化服务器&#xff0c;可以用于自动化各种任务&…

Mistral AI 开源 Pixtral 12B 多模态 LLM,多场景能力理解,支持中文指令遵循!

Mistral AI 开源了 Pixtral 12B 多模态 LLM。具有自然场景理解&#xff0c;代码生成&#xff0c;图像转代码&#xff0c;图像理解&#xff0c;多图指令跟随&#xff0c;图表理解与分析以及复杂图形推理等多项能力。从效果演示来看模型的能力很强&#xff0c;其中对中文能力的理…

利用C++封装鼠标轨迹算法为DLL:游戏行为检测的利器

在现代软件开发中&#xff0c;鼠标轨迹模拟技术因其在自动化测试、游戏脚本编写等领域的广泛应用而备受青睐。本文将介绍如何使用C语言将鼠标轨迹算法封装为DLL&#xff08;动态链接库&#xff09;&#xff0c;以便在多种编程环境中实现高效调用&#xff0c;同时探讨其在游戏行…

pymobiledevice3使用介绍(安装、常用命令、访问iOS沙盒目录)

项目地址&#xff1a;https://github.com/doronz88/pymobiledevice3 首先先介绍一下pymobiledevice3&#xff0c; pymobiledevice3是用Python3 实现的&#xff0c;用于处理 iDevices&#xff08;iPhone 等&#xff09;。它可以跨平台使用&#xff0c;支持&#xff1a;windows…

Python | Leetcode Python题解之第479题最大回文数乘积

题目&#xff1a; 题解&#xff1a; class Solution:def largestPalindrome(self, n: int) -> int:if n 1:return 9upper 10 ** n - 1for left in range(upper, upper // 10, -1): # 枚举回文数的左半部分p, x left, leftwhile x:p p * 10 x % 10 # 翻转左半部分到其…

ORACLE 批量插入更新删除sql

<?xml version"1.0" encoding"UTF-8" ?> <!DOCTYPE mapperPUBLIC "-//mybatis.org//DTD Mapper 3.0//EN""http://mybatis.org/dtd/mybatis-3-mapper.dtd"><mapper namespace"com.nari.devices.mapper.KeySchedu…

【论文笔记】Fine-tuned CLIP Models are Efficient Video Learners

&#x1f34e;个人主页&#xff1a;小嗷犬的个人主页 &#x1f34a;个人网站&#xff1a;小嗷犬的技术小站 &#x1f96d;个人信条&#xff1a;为天地立心&#xff0c;为生民立命&#xff0c;为往圣继绝学&#xff0c;为万世开太平。 基本信息 标题: Fine-tuned CLIP Models a…