blob: dbb59f3307c9a2a2161ee26cb13f08971694204c [file] [log] [blame]
/*
* Copyright (C) 2010 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.wifi;
import android.annotation.NonNull;
import android.annotation.SuppressLint;
import android.content.Context;
import android.os.BugreportManager;
import android.os.BugreportParams;
import android.os.Handler;
import android.os.Looper;
import android.util.ArraySet;
import android.util.Base64;
import android.util.Log;
import android.util.SparseLongArray;
import com.android.internal.annotations.VisibleForTesting;
import com.android.server.wifi.util.ByteArrayRingBuffer;
import com.android.server.wifi.util.StringUtil;
import com.android.wifi.resources.R;
import java.io.BufferedReader;
import java.io.ByteArrayOutputStream;
import java.io.FileDescriptor;
import java.io.IOException;
import java.io.InputStreamReader;
import java.io.PrintWriter;
import java.nio.charset.Charset;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Calendar;
import java.util.Comparator;
import java.util.HashMap;
import java.util.List;
import java.util.Set;
import java.util.concurrent.TimeUnit;
import java.util.stream.Collectors;
import java.util.zip.Deflater;
/**
* Tracks various logs for framework.
*/
public class WifiDiagnostics {
/**
* Thread-safety:
* 1) Most non-private methods are |synchronized| with the exception of
* {@link #captureBugReportData(int)} and {@link #triggerBugReportDataCapture(int)}, and
* a few others. See those methods' documentation.
* 2) Callbacks into WifiDiagnostics use non-private (and hence, synchronized) methods.
* See, e.g, onRingBufferData(), onWifiAlert().
*/
private static final String TAG = "WifiDiags";
private static final boolean DBG = false;
public static final byte CONNECTION_EVENT_STARTED = 0;
public static final byte CONNECTION_EVENT_SUCCEEDED = 1;
public static final byte CONNECTION_EVENT_FAILED = 2;
public static final byte CONNECTION_EVENT_TIMEOUT = 3;
/** log level flags; keep these consistent with wifi_logger.h */
/** No logs whatsoever */
public static final int VERBOSE_NO_LOG = 0;
/** No logs whatsoever */
public static final int VERBOSE_NORMAL_LOG = 1;
/** Be careful since this one can affect performance and power */
public static final int VERBOSE_LOG_WITH_WAKEUP = 2;
/** Be careful since this one can affect performance and power and memory */
public static final int VERBOSE_DETAILED_LOG_WITH_WAKEUP = 3;
/** ring buffer flags; keep these consistent with wifi_logger.h */
public static final int RING_BUFFER_FLAG_HAS_BINARY_ENTRIES = 0x00000001;
public static final int RING_BUFFER_FLAG_HAS_ASCII_ENTRIES = 0x00000002;
public static final int RING_BUFFER_FLAG_HAS_PER_PACKET_ENTRIES = 0x00000004;
/** various reason codes */
public static final int REPORT_REASON_NONE = 0;
public static final int REPORT_REASON_ASSOC_FAILURE = 1;
public static final int REPORT_REASON_AUTH_FAILURE = 2;
public static final int REPORT_REASON_AUTOROAM_FAILURE = 3;
public static final int REPORT_REASON_DHCP_FAILURE = 4;
public static final int REPORT_REASON_UNEXPECTED_DISCONNECT = 5;
public static final int REPORT_REASON_SCAN_FAILURE = 6;
public static final int REPORT_REASON_USER_ACTION = 7;
public static final int REPORT_REASON_WIFINATIVE_FAILURE = 8;
public static final int REPORT_REASON_REACHABILITY_LOST = 9;
public static final int REPORT_REASON_FATAL_FW_ALERT = 10;
public static final int REPORT_REASON_REACHABILITY_FAILURE = 11;
/** number of bug reports to hold */
public static final int MAX_BUG_REPORTS = 4;
/** number of alerts to hold */
public static final int MAX_ALERT_REPORTS = 1;
/** minimum wakeup interval for each of the log levels */
private static final int MinWakeupIntervals[] = new int[] { 0, 3600, 60, 10 };
/** minimum buffer size for each of the log levels */
private static final int MinBufferSizes[] = new int[] { 0, 16384, 16384, 65536 };
/** Map from dump reason to elapsed time millis */
private final SparseLongArray mLastDumpTime = new SparseLongArray();
/** Minimum dump period with same error code */
public static final long MIN_DUMP_TIME_WINDOW_MILLIS = 10 * 60 * 1000; // 10 mins
// Timeout for logcat process termination
private static final long LOGCAT_PROC_TIMEOUT_MILLIS = 50;
// Timeout for logcat read from input/error stream each.
@VisibleForTesting
public static final long LOGCAT_READ_TIMEOUT_MILLIS = 50;
private long mLastBugReportTime;
@VisibleForTesting public static final String FIRMWARE_DUMP_SECTION_HEADER =
"FW Memory dump";
@VisibleForTesting public static final String DRIVER_DUMP_SECTION_HEADER =
"Driver state dump";
private final WifiNative mWifiNative;
private final Context mContext;
private final BuildProperties mBuildProperties;
private final WifiLog mLog;
private final LastMileLogger mLastMileLogger;
private final Runtime mJavaRuntime;
private final WifiMetrics mWifiMetrics;
private final WifiInjector mWifiInjector;
private final Clock mClock;
private final Handler mWorkerThreadHandler;
private int mHalLogLevel = VERBOSE_NO_LOG;
private boolean mIsLoggingEventHandlerRegistered;
private WifiNative.RingBufferStatus[] mRingBuffers;
private WifiNative.RingBufferStatus mPerPacketRingBuffer;
private String mFirmwareVersion;
private String mDriverVersion;
private int mSupportedFeatureSet;
private int mMaxRingBufferSizeBytes;
/** Interfaces started logging */
private final Set<String> mActiveInterfaces = new ArraySet<>();
private String mLatestIfaceLogged = "";
public WifiDiagnostics(
Context context, WifiInjector wifiInjector,
WifiNative wifiNative, BuildProperties buildProperties,
LastMileLogger lastMileLogger, Clock clock, Looper workerLooper) {
mContext = context;
mWifiNative = wifiNative;
mBuildProperties = buildProperties;
mIsLoggingEventHandlerRegistered = false;
mLog = wifiInjector.makeLog(TAG);
mLastMileLogger = lastMileLogger;
mJavaRuntime = wifiInjector.getJavaRuntime();
mWifiMetrics = wifiInjector.getWifiMetrics();
mWifiInjector = wifiInjector;
mClock = clock;
mWorkerThreadHandler = new Handler(workerLooper);
}
/**
* Start wifi HAL dependent logging features.
* This method should be called only after the interface has
* been set up.
*
* @param ifaceName the interface requesting to start logging.
*/
public synchronized void startLogging(@NonNull String ifaceName) {
if (mActiveInterfaces.contains(ifaceName)) {
Log.w(TAG, "Interface: " + ifaceName + " had already started logging");
return;
}
if (mActiveInterfaces.isEmpty()) {
mFirmwareVersion = mWifiNative.getFirmwareVersion();
mDriverVersion = mWifiNative.getDriverVersion();
mSupportedFeatureSet = mWifiNative.getSupportedLoggerFeatureSet();
if (!mIsLoggingEventHandlerRegistered) {
mIsLoggingEventHandlerRegistered = mWifiNative.setLoggingEventHandler(mHandler);
}
startLoggingRingBuffers();
}
mActiveInterfaces.add(ifaceName);
mLatestIfaceLogged = ifaceName;
Log.d(TAG, "startLogging() iface list is " + mActiveInterfaces
+ " after adding " + ifaceName);
}
public synchronized void startPacketLog() {
if (mPerPacketRingBuffer != null) {
startLoggingRingBuffer(mPerPacketRingBuffer);
} else {
if (DBG) mLog.tC("There is no per packet ring buffer");
}
}
public synchronized void stopPacketLog() {
if (mPerPacketRingBuffer != null) {
stopLoggingRingBuffer(mPerPacketRingBuffer);
} else {
if (DBG) mLog.tC("There is no per packet ring buffer");
}
}
/**
* Stop wifi HAL dependent logging features.
* This method should be called before the interface has been
* torn down.
*
* @param ifaceName the interface requesting to stop logging.
*/
public synchronized void stopLogging(@NonNull String ifaceName) {
if (!mActiveInterfaces.contains(ifaceName)) {
Log.w(TAG, "ifaceName: " + ifaceName + " is not in the start log user list");
return;
}
mActiveInterfaces.remove(ifaceName);
Log.d(TAG, "stopLogging() iface list is " + mActiveInterfaces
+ " after removing " + ifaceName);
if (!mActiveInterfaces.isEmpty()) {
return;
}
if (mHalLogLevel != VERBOSE_NO_LOG) {
stopLoggingAllBuffers();
mRingBuffers = null;
}
if (mIsLoggingEventHandlerRegistered) {
if (!mWifiNative.resetLogHandler()) {
mLog.wC("Fail to reset log handler");
} else {
if (DBG) mLog.tC("Reset log handler");
}
// Clear mIsLoggingEventHandlerRegistered even if resetLogHandler() failed, because
// the log handler is in an indeterminate state.
mIsLoggingEventHandlerRegistered = false;
}
}
/**
* Inform the diagnostics module of a connection event.
* @param event The type of connection event (see CONNECTION_EVENT_* constants)
*/
public synchronized void reportConnectionEvent(byte event,
ClientModeManager clientModeManager) {
mLastMileLogger.reportConnectionEvent(clientModeManager.getInterfaceName(), event);
if (event == CONNECTION_EVENT_FAILED || event == CONNECTION_EVENT_TIMEOUT) {
mPacketFatesForLastFailure = new PacketFates(clientModeManager);
}
}
/**
* Synchronously capture bug report data.
*
* Note: this method is not marked as synchronized, but it is synchronized internally.
* getLogcat*() methods are very slow, so do not synchronize these calls (they are thread safe,
* do not need to be synchronized).
*/
public void captureBugReportData(int reason) {
final boolean verbose;
synchronized (this) {
verbose = isHalVerboseLoggingEnabled();
}
BugReport report = captureBugreport(reason, verbose);
synchronized (this) {
mLastBugReports.addLast(report);
flushDump(reason);
}
}
/**
* Asynchronously capture bug report data.
*
* Not synchronized because no work is performed on the calling thread.
*/
public void triggerBugReportDataCapture(int reason) {
mWorkerThreadHandler.post(() -> {
captureBugReportData(reason);
});
}
private void triggerAlertDataCapture(int errorCode, byte[] alertData) {
mWorkerThreadHandler.post(() -> {
final boolean verbose;
synchronized (this) {
verbose = isHalVerboseLoggingEnabled();
}
// This is very slow, don't put this inside `synchronized(this)`!
BugReport report = captureBugreport(errorCode, verbose);
synchronized (this) {
report.alertData = alertData;
mLastAlerts.addLast(report);
/* Flush HAL ring buffer when detecting data stall */
if (Arrays.stream(mContext.getResources().getIntArray(
R.array.config_wifi_fatal_firmware_alert_error_code_list))
.boxed().collect(Collectors.toList()).contains(errorCode)) {
flushDump(REPORT_REASON_FATAL_FW_ALERT);
}
}
});
}
public synchronized void dump(FileDescriptor fd, PrintWriter pw, String[] args) {
pw.println("Chipset information :-----------------------------------------------");
pw.println("FW Version is: " + mFirmwareVersion);
pw.println("Driver Version is: " + mDriverVersion);
pw.println("Supported Feature set: " + mSupportedFeatureSet);
for (int i = 0; i < mLastAlerts.size(); i++) {
pw.println("--------------------------------------------------------------------");
pw.println("Alert dump " + i);
pw.print(mLastAlerts.get(i));
pw.println("--------------------------------------------------------------------");
}
for (int i = 0; i < mLastBugReports.size(); i++) {
pw.println("--------------------------------------------------------------------");
pw.println("Bug dump " + i);
pw.print(mLastBugReports.get(i));
pw.println("--------------------------------------------------------------------");
}
pw.println("Last Flush Time: " + mLastDumpTime.toString());
pw.println("--------------------------------------------------------------------");
dumpPacketFates(pw);
mLastMileLogger.dump(pw);
pw.println("--------------------------------------------------------------------");
}
/**
* Initiates a system-level bug report if there is no bug report taken recently.
* This is done in a non-blocking fashion.
*/
// TODO(b/193460475): BugReportManager changes from SystemApi to PublicApi, not a new API
@SuppressLint("NewApi")
public void takeBugReport(String bugTitle, String bugDetail) {
if (mBuildProperties.isUserBuild()
|| !mContext.getResources().getBoolean(
R.bool.config_wifi_diagnostics_bugreport_enabled)) {
return;
}
long currentTime = mClock.getWallClockMillis();
if ((currentTime - mLastBugReportTime)
< mWifiInjector.getDeviceConfigFacade().getBugReportMinWindowMs()
&& mLastBugReportTime > 0) {
return;
}
mLastBugReportTime = currentTime;
mWifiMetrics.logBugReport();
BugreportManager bugreportManager = mContext.getSystemService(BugreportManager.class);
BugreportParams params = new BugreportParams(BugreportParams.BUGREPORT_MODE_FULL);
try {
bugreportManager.requestBugreport(params, bugTitle, bugDetail);
} catch (RuntimeException e) {
mLog.err("error taking bugreport: %").c(e.getClass().getName()).flush();
}
}
/* private methods and data */
class BugReport {
long systemTimeMs;
long kernelTimeNanos;
int errorCode;
HashMap<String, byte[][]> ringBuffers = new HashMap();
byte[] fwMemoryDump;
byte[] mDriverStateDump;
byte[] alertData;
ArrayList<String> kernelLogLines;
ArrayList<String> logcatLines;
void clearVerboseLogs() {
fwMemoryDump = null;
mDriverStateDump = null;
}
public String toString() {
StringBuilder builder = new StringBuilder();
Calendar c = Calendar.getInstance();
c.setTimeInMillis(systemTimeMs);
builder.append("system time = ")
.append(c.get(Calendar.MONTH)).append("-")
.append(c.get(Calendar.DAY_OF_MONTH)).append(" ")
.append(c.get(Calendar.HOUR_OF_DAY)).append(":")
.append(c.get(Calendar.MINUTE)).append(":")
.append(c.get(Calendar.SECOND)).append(".")
.append(c.get(Calendar.MILLISECOND)).append("\n");
long kernelTimeMs = kernelTimeNanos/(1000*1000);
builder.append("kernel time = ").append(kernelTimeMs/1000).append(".").append
(kernelTimeMs%1000).append("\n");
if (alertData == null)
builder.append("reason = ").append(errorCode).append("\n");
else {
builder.append("errorCode = ").append(errorCode);
builder.append("data \n");
builder.append(compressToBase64(alertData)).append("\n");
}
if (kernelLogLines != null) {
builder.append("kernel log: \n");
for (int i = 0; i < kernelLogLines.size(); i++) {
builder.append(kernelLogLines.get(i)).append("\n");
}
builder.append("\n");
}
if (logcatLines != null) {
builder.append("system log: \n");
for (int i = 0; i < logcatLines.size(); i++) {
builder.append(logcatLines.get(i)).append("\n");
}
builder.append("\n");
}
for (HashMap.Entry<String, byte[][]> e : ringBuffers.entrySet()) {
String ringName = e.getKey();
byte[][] buffers = e.getValue();
builder.append("ring-buffer = ").append(ringName).append("\n");
int size = 0;
for (int i = 0; i < buffers.length; i++) {
size += buffers[i].length;
}
byte[] buffer = new byte[size];
int index = 0;
for (int i = 0; i < buffers.length; i++) {
System.arraycopy(buffers[i], 0, buffer, index, buffers[i].length);
index += buffers[i].length;
}
builder.append(compressToBase64(buffer));
builder.append("\n");
}
if (fwMemoryDump != null) {
builder.append(FIRMWARE_DUMP_SECTION_HEADER);
builder.append("\n");
builder.append(compressToBase64(fwMemoryDump));
builder.append("\n");
}
if (mDriverStateDump != null) {
builder.append(DRIVER_DUMP_SECTION_HEADER);
if (StringUtil.isAsciiPrintable(mDriverStateDump)) {
builder.append(" (ascii)\n");
builder.append(new String(mDriverStateDump, Charset.forName("US-ASCII")));
builder.append("\n");
} else {
builder.append(" (base64)\n");
builder.append(compressToBase64(mDriverStateDump));
}
}
return builder.toString();
}
}
static class LimitedCircularArray<E> {
private ArrayList<E> mArrayList;
private int mMax;
LimitedCircularArray(int max) {
mArrayList = new ArrayList<E>(max);
mMax = max;
}
public final void addLast(E e) {
if (mArrayList.size() >= mMax)
mArrayList.remove(0);
mArrayList.add(e);
}
public final int size() {
return mArrayList.size();
}
public final E get(int i) {
return mArrayList.get(i);
}
}
private final LimitedCircularArray<BugReport> mLastAlerts =
new LimitedCircularArray<BugReport>(MAX_ALERT_REPORTS);
private final LimitedCircularArray<BugReport> mLastBugReports =
new LimitedCircularArray<BugReport>(MAX_BUG_REPORTS);
private final HashMap<String, ByteArrayRingBuffer> mRingBufferData = new HashMap();
private final WifiNative.WifiLoggerEventHandler mHandler =
new WifiNative.WifiLoggerEventHandler() {
@Override
public void onRingBufferData(WifiNative.RingBufferStatus status, byte[] buffer) {
WifiDiagnostics.this.onRingBufferData(status, buffer);
}
@Override
public void onWifiAlert(int errorCode, byte[] buffer) {
WifiDiagnostics.this.onWifiAlert(errorCode, buffer);
}
};
synchronized void onRingBufferData(WifiNative.RingBufferStatus status, byte[] buffer) {
ByteArrayRingBuffer ring = mRingBufferData.get(status.name);
if (ring != null) {
ring.appendBuffer(buffer);
}
}
synchronized void onWifiAlert(int errorCode, @NonNull byte[] buffer) {
triggerAlertDataCapture(errorCode, buffer);
// TODO b/166309727 This currently assumes that the firmware alert comes from latest
// interface that started logging, as the callback does not tell us which interface
// caused the alert.
mWifiMetrics.logFirmwareAlert(mLatestIfaceLogged, errorCode);
mWifiInjector.getWifiScoreCard().noteFirmwareAlert(errorCode);
}
/**
* Enables or disables verbose logging
*
* @param verbose - with the obvious interpretation
*/
public synchronized void enableVerboseLogging(boolean verboseEnabled,
boolean halVerboseEnabled) {
final int ringBufferByteLimitSmall = mContext.getResources().getInteger(
R.integer.config_wifi_logger_ring_buffer_default_size_limit_kb) * 1024;
final int ringBufferByteLimitLarge = mContext.getResources().getInteger(
R.integer.config_wifi_logger_ring_buffer_verbose_size_limit_kb) * 1024;
if (halVerboseEnabled) {
mHalLogLevel = VERBOSE_LOG_WITH_WAKEUP;
mMaxRingBufferSizeBytes = ringBufferByteLimitLarge;
} else {
mHalLogLevel = VERBOSE_NORMAL_LOG;
mMaxRingBufferSizeBytes = enableVerboseLoggingForDogfood()
? ringBufferByteLimitLarge : ringBufferByteLimitSmall;
}
if (!mActiveInterfaces.isEmpty()) {
mLog.wC("verbosity changed: restart logging");
startLoggingRingBuffers();
}
}
private boolean isHalVerboseLoggingEnabled() {
return mHalLogLevel > VERBOSE_NORMAL_LOG;
}
private void clearVerboseLogs() {
for (int i = 0; i < mLastAlerts.size(); i++) {
mLastAlerts.get(i).clearVerboseLogs();
}
for (int i = 0; i < mLastBugReports.size(); i++) {
mLastBugReports.get(i).clearVerboseLogs();
}
}
private boolean fetchRingBuffers() {
if (mRingBuffers != null) return true;
mRingBuffers = mWifiNative.getRingBufferStatus();
if (mRingBuffers != null) {
for (WifiNative.RingBufferStatus buffer : mRingBuffers) {
if (DBG) mLog.trace("RingBufferStatus is: %").c(buffer.name).flush();
if (mRingBufferData.containsKey(buffer.name) == false) {
mRingBufferData.put(buffer.name,
new ByteArrayRingBuffer(mMaxRingBufferSizeBytes));
}
if ((buffer.flag & RING_BUFFER_FLAG_HAS_PER_PACKET_ENTRIES) != 0) {
mPerPacketRingBuffer = buffer;
}
}
} else {
mLog.wC("no ring buffers found");
}
return mRingBuffers != null;
}
private void resizeRingBuffers() {
for (ByteArrayRingBuffer byteArrayRingBuffer : mRingBufferData.values()) {
byteArrayRingBuffer.resize(mMaxRingBufferSizeBytes);
}
}
private void startLoggingRingBuffers() {
if (!isHalVerboseLoggingEnabled()) {
clearVerboseLogs();
}
if (mRingBuffers == null) {
fetchRingBuffers();
}
if (mRingBuffers != null) {
// Log level may have changed, so restart logging with new levels.
stopLoggingAllBuffers();
resizeRingBuffers();
startLoggingAllExceptPerPacketBuffers();
}
}
private boolean startLoggingAllExceptPerPacketBuffers() {
if (mRingBuffers == null) {
if (DBG) mLog.tC("No ring buffers to log anything!");
return false;
}
for (WifiNative.RingBufferStatus buffer : mRingBuffers){
if ((buffer.flag & RING_BUFFER_FLAG_HAS_PER_PACKET_ENTRIES) != 0) {
/* skip per-packet-buffer */
if (DBG) mLog.trace("skipped per packet logging ring %").c(buffer.name).flush();
continue;
}
startLoggingRingBuffer(buffer);
}
return true;
}
private boolean startLoggingRingBuffer(WifiNative.RingBufferStatus buffer) {
int minInterval = MinWakeupIntervals[mHalLogLevel];
int minDataSize = MinBufferSizes[mHalLogLevel];
if (!mWifiNative.startLoggingRingBuffer(
mHalLogLevel, 0, minInterval, minDataSize, buffer.name)) {
if (DBG) mLog.warn("Could not start logging ring %").c(buffer.name).flush();
return false;
}
return true;
}
private boolean stopLoggingRingBuffer(WifiNative.RingBufferStatus buffer) {
if (!mWifiNative.startLoggingRingBuffer(0, 0, 0, 0, buffer.name)) {
if (DBG) mLog.warn("Could not stop logging ring %").c(buffer.name).flush();
}
return true;
}
private boolean stopLoggingAllBuffers() {
if (mRingBuffers != null) {
for (WifiNative.RingBufferStatus buffer : mRingBuffers) {
stopLoggingRingBuffer(buffer);
}
}
return true;
}
private boolean enableVerboseLoggingForDogfood() {
return true;
}
private boolean flushDump(int errorCode) {
if (errorCode == REPORT_REASON_USER_ACTION) return false;
long currentTime = mClock.getWallClockMillis();
int index = mLastDumpTime.indexOfKey(errorCode);
if (index >= 0) {
if (currentTime - mLastDumpTime.valueAt(index) < MIN_DUMP_TIME_WINDOW_MILLIS) {
return false;
}
}
if (!mWifiNative.flushRingBufferData()) {
mLog.wC("could not flush ringbuffer");
return false;
}
mLastDumpTime.put(errorCode, currentTime);
return true;
}
private BugReport captureBugreport(int errorCode, boolean captureFWDump) {
BugReport report = new BugReport();
report.errorCode = errorCode;
report.systemTimeMs = System.currentTimeMillis();
report.kernelTimeNanos = System.nanoTime();
synchronized (this) {
if (mRingBuffers != null) {
for (WifiNative.RingBufferStatus buffer : mRingBuffers) {
/* this will push data in mRingBuffers */
mWifiNative.getRingBufferData(buffer.name);
ByteArrayRingBuffer data = mRingBufferData.get(buffer.name);
byte[][] buffers = new byte[data.getNumBuffers()][];
for (int i = 0; i < data.getNumBuffers(); i++) {
buffers[i] = data.getBuffer(i).clone();
}
report.ringBuffers.put(buffer.name, buffers);
}
}
}
// getLogcat*() is very slow, do not put them inside `synchronize(this)`!
report.logcatLines = getLogcatSystem(127);
report.kernelLogLines = getLogcatKernel(127);
if (captureFWDump) {
report.fwMemoryDump = mWifiNative.getFwMemoryDump();
report.mDriverStateDump = mWifiNative.getDriverStateDump();
}
return report;
}
@VisibleForTesting
synchronized LimitedCircularArray<BugReport> getBugReports() {
return mLastBugReports;
}
@VisibleForTesting
synchronized LimitedCircularArray<BugReport> getAlertReports() {
return mLastAlerts;
}
private String compressToBase64(byte[] input) {
String result;
//compress
Deflater compressor = new Deflater();
compressor.setLevel(Deflater.BEST_SPEED);
compressor.setInput(input);
compressor.finish();
ByteArrayOutputStream bos = new ByteArrayOutputStream(input.length);
final byte[] buf = new byte[1024];
while (!compressor.finished()) {
int count = compressor.deflate(buf);
bos.write(buf, 0, count);
}
try {
compressor.end();
bos.close();
} catch (IOException e) {
mLog.wC("ByteArrayOutputStream close error");
result = android.util.Base64.encodeToString(input, Base64.DEFAULT);
return result;
}
byte[] compressed = bos.toByteArray();
if (DBG) {
mLog.dump("length is: %").c(compressed == null ? 0 : compressed.length).flush();
}
//encode
result = android.util.Base64.encodeToString(
compressed.length < input.length ? compressed : input , Base64.DEFAULT);
if (DBG) {
mLog.dump("FwMemoryDump length is: %").c(result.length()).flush();
}
return result;
}
private void readLogcatStreamLinesWithTimeout(
BufferedReader inReader, List<String> outLinesList) throws IOException {
long startTimeMs = mClock.getElapsedSinceBootMillis();
while (mClock.getElapsedSinceBootMillis() < startTimeMs + LOGCAT_READ_TIMEOUT_MILLIS) {
// If there is a burst of data, continue reading without checking for timeout.
while (inReader.ready()) {
String line = inReader.readLine();
if (line == null) return; // end of stream.
outLinesList.add(line);
}
mClock.sleep(LOGCAT_READ_TIMEOUT_MILLIS / 10);
}
}
/** This method is thread safe */
private ArrayList<String> getLogcat(String logcatSections, int maxLines) {
ArrayList<String> lines = new ArrayList<>(maxLines);
Process process = null;
try {
process = mJavaRuntime.exec("logcat -b " + logcatSections + " -t " + maxLines);
readLogcatStreamLinesWithTimeout(
new BufferedReader(new InputStreamReader(process.getInputStream())), lines);
readLogcatStreamLinesWithTimeout(
new BufferedReader(new InputStreamReader(process.getErrorStream())), lines);
process.waitFor(LOGCAT_PROC_TIMEOUT_MILLIS, TimeUnit.MILLISECONDS);
} catch (InterruptedException|IOException e) {
mLog.dump("Exception while capturing logcat: %").c(e.toString()).flush();
} finally {
if (process != null) {
process.destroy();
}
}
return lines;
}
/** This method is thread safe */
private ArrayList<String> getLogcatSystem(int maxLines) {
return getLogcat("main,system,crash", maxLines);
}
/** This method is thread safe */
private ArrayList<String> getLogcatKernel(int maxLines) {
return getLogcat("kernel", maxLines);
}
/** Packet fate reporting */
private PacketFates mPacketFatesForLastFailure;
static class PacketFates {
public final String clientModeManagerInfo;
@NonNull public final List<WifiNative.FateReport> mergedFates;
PacketFates(ClientModeManager clientModeManager) {
clientModeManagerInfo = clientModeManager.toString();
mergedFates = new ArrayList<WifiNative.FateReport>();
mergedFates.addAll(clientModeManager.getTxPktFates());
mergedFates.addAll(clientModeManager.getRxPktFates());
mergedFates.sort(Comparator.comparing(fateReport -> fateReport.mDriverTimestampUSec));
}
}
private @NonNull List<PacketFates> fetchPacketFatesForAllClientIfaces() {
List<ClientModeManager> clientModeManagers =
mWifiInjector.getActiveModeWarden().getClientModeManagers();
List<PacketFates> packetFates = new ArrayList<>();
for (ClientModeManager cm : clientModeManagers) {
packetFates.add(new PacketFates(cm));
}
return packetFates;
}
private void dumpPacketFates(PrintWriter pw) {
dumpPacketFatesInternal(pw, "Last failed connection fates", mPacketFatesForLastFailure,
isHalVerboseLoggingEnabled());
for (PacketFates fates : fetchPacketFatesForAllClientIfaces()) {
dumpPacketFatesInternal(pw, "Latest fates", fates, isHalVerboseLoggingEnabled());
}
}
private static void dumpPacketFatesInternal(PrintWriter pw, String description,
PacketFates packetFates, boolean verbose) {
if (packetFates == null) {
pw.format("No fates fetched for \"%s\"\n", description);
return;
}
if (packetFates.mergedFates.size() == 0) {
pw.format("HAL provided zero fates for \"%s\"\n", description);
return;
}
pw.format("--------------------- %s ----------------------\n", description);
pw.format("ClientModeManagerInfo=%s ---------------\n", packetFates.clientModeManagerInfo);
StringBuilder verboseOutput = new StringBuilder();
pw.print(WifiNative.FateReport.getTableHeader());
for (WifiNative.FateReport fate : packetFates.mergedFates) {
pw.print(fate.toTableRowString());
if (verbose) {
// Important: only print Personally Identifiable Information (PII) if verbose
// logging is turned on.
verboseOutput.append(fate.toVerboseStringWithPiiAllowed());
verboseOutput.append("\n");
}
}
if (verbose) {
pw.format("\n>>> VERBOSE PACKET FATE DUMP <<<\n\n");
pw.print(verboseOutput.toString());
}
pw.println("--------------------------------------------------------------------");
}
/**
* Enable packet fate monitoring.
*
* @param ifaceName Name of the interface.
*/
public void startPktFateMonitoring(@NonNull String ifaceName) {
if (!mWifiNative.startPktFateMonitoring(ifaceName)) {
mLog.wC("Failed to start packet fate monitoring");
}
}
}