【Android12】Android性能调优工具SystemServerTiming日志

Android性能调优工具SystemServerTiming日志

性能优化、稳定性优化是Android系统优化的两大方面,对于性能调试Android提供了很多工具,比如:bootchart、systrace、perfboot、log、dmsg等等。

SystemServerTiming是Android原生系统中一个日志标签,也就是tag为SystemServerTiming的日志,这类日志信息会输出到Logd和Trace系统中。可以通过Android logcat 或者 抓取Systrace的方式取得。

SystemServerTiming主要用于记录SystemServer中启动各种服务的耗时信息。在性能优化分析的场景下,利用该Log我们分析出SystemServer中各个服务在启动性能上是否存异常,特别是在SystemServer中自定义追加的Service。

  • SystemServerTiming日志的一段例子
# 示意log日志
11-20 23:58:20.766 21530 21530 I SystemServerTiming: InitBeforeStartServices
.................. 21530 21530 I SystemServerTiming: StartServices
.................. 21530 21530 I SystemServerTiming: startBootstrapServices
.................. 21530 21530 I SystemServerTiming: StartWatchdog
.................. 21530 21530 I SystemServerTiming: ReadingSystemConfig
.................. 21530 21530 I SystemServerTiming: PlatformCompat
.................. 21530 21530 I SystemServerTiming: StartFileIntegrityService
.................. 21530 21530 I SystemServerTiming: StartInstaller
.................. 21530 21530 I SystemServerTiming: DeviceIdentifiersPolicyService
.................. 21530 21530 I SystemServerTiming: UriGrantsManagerService
.................. 21530 21530 I SystemServerTiming: StartPowerStatsService
.................. 21530 21530 I SystemServerTiming: StartIStatsService
.................. 21530 21530 I SystemServerTiming: MemtrackProxyService
# 非User编译模式下,会输出统计每个阶段耗时的Log
.................. 21530 21530 I SystemServerTiming: InitBeforeStartServices took to complete: ***ms
...
.................. 21530 21530 I SystemServerTiming: startCoreServices
...
.................. 21530 21530 I SystemServerTiming: startOtherServices
.................. 21530 21530 I SystemServerTiming: SecondaryZygotePreload
...
.................. 21530 21530 I SystemServerTiming: StartSystemUI
  • SystemServerTiming日志的源码实现
    TimingsTraceAndSlog.java源文件中,定义了SystemServerTiming日志标签,并通过Slog(输出到Logd的System分区)和Trace实现日志的输出。
    源码路径:/frameworks/base/services/core/java/com/android/server/utils/TimingsTraceAndSlog.java
/** Copyright (C) 2019 The Android Open Source Project** Licensed under the Apache License, Version 2.0 (the "License");* you may not use this file except in compliance with the License.* You may obtain a copy of the License at**      http://www.apache.org/licenses/LICENSE-2.0** Unless required by applicable law or agreed to in writing, software* distributed under the License is distributed on an "AS IS" BASIS,* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.* See the License for the specific language governing permissions and* limitations under the License.*/
package com.android.server.utils;import android.annotation.NonNull;
import android.os.Trace;
import android.util.Slog;
import android.util.TimingsTraceLog;/*** Helper class for reporting boot and shutdown timing metrics, also logging to {@link Slog}.*/
public final class TimingsTraceAndSlog extends TimingsTraceLog {/*** Tag for timing measurement of main thread.*/public static final String SYSTEM_SERVER_TIMING_TAG = "SystemServerTiming";/*** Tag for timing measurement of non-main asynchronous operations.*/private static final String SYSTEM_SERVER_TIMING_ASYNC_TAG = SYSTEM_SERVER_TIMING_TAG + "Async";/*** Set this to a positive value to get a {@Slog.w} log for any trace that took longer than it.*/private static final long BOTTLENECK_DURATION_MS = -1;private final String mTag;/*** Creates a new {@link TimingsTraceAndSlog} for async operations.*/@NonNullpublic static TimingsTraceAndSlog newAsyncLog() {return new TimingsTraceAndSlog(SYSTEM_SERVER_TIMING_ASYNC_TAG,Trace.TRACE_TAG_SYSTEM_SERVER);}/*** Default constructor using {@code system_server} tags.*/public TimingsTraceAndSlog() {this(SYSTEM_SERVER_TIMING_TAG);}/*** Custom constructor using {@code system_server} trace tag.** @param tag {@code logcat} tag*/public TimingsTraceAndSlog(@NonNull String tag) {this(tag, Trace.TRACE_TAG_SYSTEM_SERVER);}/*** Custom constructor.** @param tag {@code logcat} tag* @param traceTag {@code atrace} tag*/public TimingsTraceAndSlog(@NonNull String tag, long traceTag) {super(tag, traceTag);mTag = tag;}@Overridepublic void traceBegin(@NonNull String name) {// 使用Slog的Info级别输出Slog.i(mTag, name);// 调用父类TimingsTraceLog接口,输出Tracesuper.traceBegin(name);}@Overridepublic void logDuration(String name, long timeMs) {super.logDuration(name, timeMs);if (BOTTLENECK_DURATION_MS > 0 && timeMs >= BOTTLENECK_DURATION_MS) {Slog.w(mTag, "Slow duration for " + name + ": " + timeMs + "ms");}}@Overridepublic String toString() {return "TimingsTraceAndSlog[" + mTag + "]";}
}

父类TimingsTraceLog 中的相关实现。

/** Copyright (C) 2016 The Android Open Source Project** Licensed under the Apache License, Version 2.0 (the "License");* you may not use this file except in compliance with the License.* You may obtain a copy of the License at**      http://www.apache.org/licenses/LICENSE-2.0** Unless required by applicable law or agreed to in writing, software* distributed under the License is distributed on an "AS IS" BASIS,* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.* See the License for the specific language governing permissions and* limitations under the License.*/package android.util;import android.annotation.NonNull;
import android.os.Build;
import android.os.SystemClock;
import android.os.Trace;import com.android.internal.annotations.VisibleForTesting;import java.util.ArrayList;
import java.util.Collections;
import java.util.List;/*** Helper class for reporting boot and shutdown timing metrics.** <p><b>NOTE:</b> This class is not thread-safe. Use a separate copy for other threads.** @hide*/
public class TimingsTraceLog {// Debug boot time for every step if it's non-user build.// 注意:只有在非user编译下,才会输出每个阶段的耗时信息(耗时信息,也可以通过查看log日志的时间戳)private static final boolean DEBUG_BOOT_TIME = !Build.IS_USER;// Maximum number of nested calls that are storedprivate static final int MAX_NESTED_CALLS = 10;private final String[] mStartNames;private final long[] mStartTimes;private final String mTag;private final long mTraceTag;private final long mThreadId;private final int mMaxNestedCalls;private int mCurrentLevel = -1;public TimingsTraceLog(String tag, long traceTag) {this(tag, traceTag, DEBUG_BOOT_TIME ? MAX_NESTED_CALLS : -1);}@VisibleForTestingpublic TimingsTraceLog(String tag, long traceTag, int maxNestedCalls) {mTag = tag;mTraceTag = traceTag;mThreadId = Thread.currentThread().getId();mMaxNestedCalls = maxNestedCalls;if (maxNestedCalls > 0) {mStartNames = new String[maxNestedCalls];mStartTimes = new long[maxNestedCalls];} else {mStartNames = null;mStartTimes = null;}}/*** Begin tracing named section* @param name name to appear in trace*/public void traceBegin(String name) {assertSameThread();Trace.traceBegin(mTraceTag, name);if (!DEBUG_BOOT_TIME) return;if (mCurrentLevel + 1 >= mMaxNestedCalls) {Slog.w(mTag, "not tracing duration of '" + name + "' because already reached "+ mMaxNestedCalls + " levels");return;}mCurrentLevel++;mStartNames[mCurrentLevel] = name;mStartTimes[mCurrentLevel] = SystemClock.elapsedRealtime();}/*** End tracing previously {@link #traceBegin(String) started} section.** <p>Also {@link #logDuration logs} the duration.*/public void traceEnd() {assertSameThread();Trace.traceEnd(mTraceTag);if (!DEBUG_BOOT_TIME) return;if (mCurrentLevel < 0) {Slog.w(mTag, "traceEnd called more times than traceBegin");return;}final String name = mStartNames[mCurrentLevel];final long duration = SystemClock.elapsedRealtime() - mStartTimes[mCurrentLevel];mCurrentLevel--;logDuration(name, duration);}private void assertSameThread() {final Thread currentThread = Thread.currentThread();if (currentThread.getId() != mThreadId) {throw new IllegalStateException("Instance of TimingsTraceLog can only be called from "+ "the thread it was created on (tid: " + mThreadId + "), but was from "+ currentThread.getName() + " (tid: " + currentThread.getId() + ")");}}/*** Logs a duration so it can be parsed by external tools for performance reporting.*/public void logDuration(String name, long timeMs) {Slog.d(mTag, name + " took to complete: " + timeMs + "ms");}/*** Gets the names of the traces that {@link #traceBegin(String) have begun} but* {@link #traceEnd() have not finished} yet.** <p><b>NOTE:</b> this method is expensive and it should not be used in "production" - it* should only be used for debugging purposes during development (and/or guarded by* static {@code DEBUG} constants that are {@code false}).*/@NonNullpublic final List<String> getUnfinishedTracesForDebug() {if (mStartTimes == null || mCurrentLevel < 0) return Collections.emptyList();final ArrayList<String> list = new ArrayList<>(mCurrentLevel + 1);for (int i = 0; i <= mCurrentLevel; i++) {list.add(mStartNames[i]);}return list;}
}
  • SystemServer中输出SystemServerTiming日志。SystemServer会在其run函数中创建TimingsTraceAndSlog对象,然后调用这个对象的traceBegin和traceEnd函数。
// frameworks/base/services/java/com/android/server/SystemServer.javaprivate void run() {TimingsTraceAndSlog t = new TimingsTraceAndSlog();try {// 使用SystemServerTiming日志标签输出t.traceBegin("InitBeforeStartServices");// 省略....// Start services.try {t.traceBegin("StartServices");startBootstrapServices(t);startCoreServices(t);startOtherServices(t);} catch (Throwable ex) {Slog.e("System", "******************************************");Slog.e("System", "************ Failure starting system services", ex);throw ex;} finally {t.traceEnd(); // StartServices}// 省略... 
}

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

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

相关文章

《Spring Security 简易速速上手小册》第10章 未来趋势与高级话题(2024 最新版)

文章目录 10.1 云原生安全性趋势10.1.1 基础知识10.1.2 重点案例&#xff1a;保护微服务通信10.1.3 拓展案例 1&#xff1a;容器安全最佳实践10.1.4 拓展案例 2&#xff1a;自动化安全审计和合规性检查 10.2 反应式编程与 Spring Security10.2.1 基础知识10.2.2 重点案例&#…

nginx-图片模块

./configure --with-http_image_filter_module location / {root html;index index.html index.htm;if ($arg_w "") {set $arg_w -;}if ($arg_h "") {set $arg_h -;}image_filter resize $arg_w $arg_h;image_filter_jpeg_quality 95; } 访问: 1234…

CSS锥形渐变:conic-gradient()

画一个扇形图&#xff0c;使用常规方法可能很难画&#xff0c;但是用锥形渐变的话非常好画 <style>.pattern{width: 100px; height: 100px;border-radius: 50%;background: conic-gradient(yellow 30deg , black 30deg , black 90deg , yellow 90deg ,yellow 150d…

Git分布式版本控制系统——git学习准备工作

一、Git仓库介绍 开发者可以通过Git仓库来存储和管理文件代码&#xff0c;Git仓库分为两种&#xff1a; 本地仓库&#xff1a;开发人员自己电脑上的Git仓库 远程仓库&#xff1a;远程服务器上的Git仓库 仓库之间的运转如下图&#xff1a; commit&#xff1a;提交&#xff…

Decoupled Knowledge Distillation解耦知识蒸馏

Decoupled Knowledge Distillation解耦知识蒸馏 现有的蒸馏方法主要是基于从中间层提取深层特征&#xff0c;而忽略了Logit蒸馏的重要性。为了给logit蒸馏研究提供一个新的视角&#xff0c;我们将经典的KD损失重新表述为两部分&#xff0c;即目标类知识蒸馏&#xff08;TCKD&a…

c++之旅——第四弹

大家好啊&#xff0c;这里是c之旅第三弹&#xff0c;跟随我的步伐来开始这一篇的学习吧&#xff01; 如果有知识性错误&#xff0c;欢迎各位指正&#xff01;&#xff01;一起加油&#xff01;&#xff01; 创作不易&#xff0c;希望大家多多支持哦&#xff01; 本篇文章的主…

如何对比 MySQL 主备数据的一致性?

随着业务范围的扩大&#xff0c;很多企业为了保障核心业务的高可用性&#xff0c;选择了 MySQL 主从架构&#xff0c;这一套方案通常具备主备数据同步、数据备份与恢复、读写分离、高可用切换等特性&#xff0c;是一种相当成熟可靠的数据库架构方案。然而这套方案在特定情况下可…

Redis小白入门教程

Redis入门教程 1. Redis入门1.1 Redis简介1.2 Redis服务启动与停止1.2.1 Redis下载1.2.2 服务启动命令1.2.3 客户端连接命令1.2.4 修改Redis配置文件 2. Redis数据类型2.1 五种常用数据类型介绍2.1.1 字符串操作命令2.1.2 哈希操作命令2.1.3 列表操作命令2.1.4 集合操作命令2.1…

双周回顾#006 - 这三个月

断更啦~~ 上次更新时间 2023/11/23, 断更近三个月的时间。 先狡辩下&#xff0c;因为忙、着实忙。因为忙&#xff0c;心安理得给断更找了个借口&#xff0c;批评下自己~~ 这三个月在做啥&#xff1f;跨部门援助&#xff0c;支援公司互联网的 ToC 项目&#xff0c;一言难尽。 …

智能时代:人工智能引领未来创新

智能时代&#xff1a;人工智能引领未来创新 1. 人工智能的定义与特点 人工智能&#xff08;Artificial Intelligence&#xff0c;AI&#xff09;是指模拟、延伸和扩展人类智能的理论、方法、技术及应用系统的一门交叉学科。其特点包括学习能力、推理能力、感知能力和交互能力…

【C语言】InfiniBand 驱动mlx4_ib_init和mlx4_ib_cleanup

一、中文讲解 这两个函数是Linux内核模块中对于Mellanox InfiniBand 驱动程序初始化和清理的函数。 mlx4_ib_init()函数是模块初始化函数&#xff0c;使用__init宏标注&#xff0c;表示该函数只在模块加载时运行一次。 函数执行的步骤如下&#xff1a; 1. 通过alloc_ordered_w…

数据结构——lesson5栈和队列详解

hellohello~这里是土土数据结构学习笔记&#x1f973;&#x1f973; &#x1f4a5;个人主页&#xff1a;大耳朵土土垚的博客 &#x1f4a5; 所属专栏&#xff1a;数据结构学习笔记 &#x1f4a5;对于顺序表链表有疑问的都可以在上面数据结构的专栏进行学习哦~感谢大家的观看与…

ElasticSearch开篇

1.ElasticSearch简介 1.1 ElasticSearch&#xff08;简称ES&#xff09; Elasticsearch是用Java开发并且是当前最流行的开源的企业级搜索引擎。能够达到实时搜索&#xff0c;稳定&#xff0c;可靠&#xff0c;快速&#xff0c;安装使用方便。 1.2 ElasticSearch与Lucene的关…

Angular项目升级的一般步骤?

升级Angular项目是一个重要的任务&#xff0c;可以带来性能改进、新功能和安全性增强等好处。以下是升级Angular项目的一般步骤&#xff1a; 1、备份项目文件&#xff1a; 在进行升级之前&#xff0c;务必对整个项目进行备份&#xff0c;以防意外情况发生。 2、查看当前版本&…

如何快速迁移其他云服务器中的网站数据到腾讯云轻量应用服务器中?教你使用宝塔Linux面板迁移网站

要快速迁移其他云服务器中的网站数据到腾讯云轻量应用服务器中&#xff0c;可以遵循以下步骤&#xff1a; 准备迁移前的工作&#xff1a;首先&#xff0c;确保你已经有了从其他云服务器到腾讯云轻量应用服务器的数据备份。这一步是为了在迁移过程中避免数据丢失或损坏。 使用宝…

模拟器抓HTTP/S的包时如何绕过单向证书校验(XP框架)

模拟器抓HTTP/S的包时如何绕过单向证书校验&#xff08;XP框架&#xff09; 逍遥模拟器无法激活XP框架来绕过单向的证书校验&#xff0c;如下图&#xff1a; ​​ 解决办法&#xff1a; 安装JustMePlush.apk安装Just Trust Me.apk安装RE管理器.apk安装Xposedinstaller_逍遥64位…

智能边缘小站 CloudPond(低延迟、高带宽和更好的数据隐私保护)

智能边缘小站 CloudPond(低延迟、高带宽和更好的数据隐私保护) 边缘小站的主要功能是管理用户在线下部署的整机柜设施&#xff0c;一个边缘小站关联一个华为云指定的区域和一个用户指定的场地&#xff0c;相关的资源运行状况监控等。 边缘计算 迈入5G和AI时代&#xff0c;新…

利用redis实现秒杀功能

6、秒杀优化 这个是 图灵 的redis实战里面的一个案例 6.1 秒杀优化-异步秒杀思路 我们来回顾一下下单流程 当用户发起请求&#xff0c;此时会请求nginx&#xff0c;nginx会访问到tomcat&#xff0c;而tomcat中的程序&#xff0c;会进行串行操作&#xff0c;分成如下几个步骤…

基于单片机的红外遥控解码程序设计与实现

摘要:该文介绍基于士兰半导体芯片(SC6122)的红外发射遥控器,通过单片机解码程序,实现红外遥控信号的解码和接收。红外接收头与单片机特定的引脚连接,通过设置单片机定时计数器,采样来自红外接收头的高、低电平宽度解码遥控信号。该解码程序设计主要应用在LED数码显示控制…

电机的极数和槽数,机械角度和电角度,霍尔IC,内外转子

什么是电机的极数和槽数&#xff1f; 【第7集】② 正弦波驱动的转矩脉动、正弦电流的时序和相位变化、超前角控制&#xff08;超前角调整&#xff09;、正弦波驱动的各种波形 - 电源设计电子电路基础电源技术信息网站_罗姆电源设计R课堂 (rohm.com.cn) 下面为您介绍表示电机…