blob: 21892e7ea9acdd3a494b9bc545828dc27a074828 [file] [log] [blame]
// 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.
import {sqliteString} from '../base/string_utils';
import {Duration, duration, Span, time, Time, TimeSpan} from '../base/time';
import {exists} from '../base/utils';
import {
CurrentSearchResults,
SearchSource,
SearchSummary,
} from '../common/search_data';
import {OmniboxState} from '../common/state';
import {CPU_SLICE_TRACK_KIND} from '../core/track_kinds';
import {globals} from '../frontend/globals';
import {publishSearch, publishSearchResult} from '../frontend/publish';
import {Engine} from '../trace_processor/engine';
import {LONG, NUM, STR} from '../trace_processor/query_result';
import {escapeSearchQuery} from '../trace_processor/query_utils';
import {Controller} from './controller';
export interface SearchControllerArgs {
engine: Engine;
}
export class SearchController extends Controller<'main'> {
private engine: Engine;
private previousSpan: Span<time, duration>;
private previousResolution: duration;
private previousOmniboxState?: OmniboxState;
private updateInProgress: boolean;
private setupInProgress: boolean;
constructor(args: SearchControllerArgs) {
super('main');
this.engine = args.engine;
this.previousSpan = new TimeSpan(Time.fromRaw(0n), Time.fromRaw(1n));
this.updateInProgress = false;
this.setupInProgress = true;
this.previousResolution = 1n;
this.setup().finally(() => {
this.setupInProgress = false;
this.run();
});
}
private async setup() {
await this.query(`create virtual table search_summary_window
using window;`);
await this.query(`create virtual table search_summary_sched_span using
span_join(sched PARTITIONED cpu, search_summary_window);`);
await this.query(`create virtual table search_summary_slice_span using
span_join(slice PARTITIONED track_id, search_summary_window);`);
}
run() {
if (this.setupInProgress || this.updateInProgress) {
return;
}
const visibleState = globals.state.frontendLocalState.visibleState;
const omniboxState = globals.state.omniboxState;
if (
visibleState === undefined ||
omniboxState === undefined ||
omniboxState.mode === 'COMMAND'
) {
return;
}
const newSpan = globals.stateVisibleTime();
const newOmniboxState = omniboxState;
const newResolution = visibleState.resolution;
if (
this.previousSpan.contains(newSpan) &&
this.previousResolution === newResolution &&
this.previousOmniboxState === newOmniboxState
) {
return;
}
// TODO(hjd): We should restrict this to the start of the trace but
// that is not easily available here.
// N.B. Timestamps can be negative.
const {start, end} = newSpan.pad(newSpan.duration);
this.previousSpan = new TimeSpan(start, end);
this.previousResolution = newResolution;
this.previousOmniboxState = newOmniboxState;
const search = newOmniboxState.omnibox;
if (search === '' || (search.length < 4 && !newOmniboxState.force)) {
publishSearch({
tsStarts: new BigInt64Array(0),
tsEnds: new BigInt64Array(0),
count: new Uint8Array(0),
});
publishSearchResult({
eventIds: new Float64Array(0),
tses: new BigInt64Array(0),
utids: new Float64Array(0),
sources: [],
trackKeys: [],
totalResults: 0,
});
return;
}
this.updateInProgress = true;
const computeSummary = this.update(
search,
newSpan.start,
newSpan.end,
newResolution,
).then((summary) => {
publishSearch(summary);
});
const computeResults = this.specificSearch(search).then((searchResults) => {
publishSearchResult(searchResults);
});
Promise.all([computeSummary, computeResults]).finally(() => {
this.updateInProgress = false;
this.run();
});
}
onDestroy() {}
private async update(
search: string,
start: time,
end: time,
resolution: duration,
): Promise<SearchSummary> {
const searchLiteral = escapeSearchQuery(search);
const quantum = resolution * 10n;
start = Time.quantFloor(start, quantum);
const windowDur = Duration.max(Time.diff(end, start), 1n);
await this.query(`update search_summary_window set
window_start=${start},
window_dur=${windowDur},
quantum=${quantum}
where rowid = 0;`);
const utidRes = await this.query(`select utid from thread join process
using(upid) where thread.name glob ${searchLiteral}
or process.name glob ${searchLiteral}`);
const utids = [];
for (const it = utidRes.iter({utid: NUM}); it.valid(); it.next()) {
utids.push(it.utid);
}
const cpus = globals.traceContext.cpus;
const maxCpu = Math.max(...cpus, -1);
const res = await this.query(`
select
(quantum_ts * ${quantum} + ${start}) as tsStart,
((quantum_ts+1) * ${quantum} + ${start}) as tsEnd,
min(count(*), 255) as count
from (
select
quantum_ts
from search_summary_sched_span
where utid in (${utids.join(',')}) and cpu <= ${maxCpu}
union all
select
quantum_ts
from search_summary_slice_span
where name glob ${searchLiteral}
)
group by quantum_ts
order by quantum_ts;`);
const numRows = res.numRows();
const summary: SearchSummary = {
tsStarts: new BigInt64Array(numRows),
tsEnds: new BigInt64Array(numRows),
count: new Uint8Array(numRows),
};
const it = res.iter({tsStart: LONG, tsEnd: LONG, count: NUM});
for (let row = 0; it.valid(); it.next(), ++row) {
summary.tsStarts[row] = it.tsStart;
summary.tsEnds[row] = it.tsEnd;
summary.count[row] = it.count;
}
return summary;
}
private async specificSearch(search: string) {
const searchLiteral = escapeSearchQuery(search);
// TODO(hjd): we should avoid recomputing this every time. This will be
// easier once the track table has entries for all the tracks.
const cpuToTrackId = new Map();
for (const track of Object.values(globals.state.tracks)) {
const trackInfo = globals.trackManager.resolveTrackInfo(track.uri);
if (trackInfo?.kind === CPU_SLICE_TRACK_KIND) {
exists(trackInfo.cpu) && cpuToTrackId.set(trackInfo.cpu, track.key);
}
}
const utidRes = await this.query(`select utid from thread join process
using(upid) where
thread.name glob ${searchLiteral} or
process.name glob ${searchLiteral}`);
const utids = [];
for (const it = utidRes.iter({utid: NUM}); it.valid(); it.next()) {
utids.push(it.utid);
}
const res = await this.query(`
select
id as sliceId,
ts,
'cpu' as source,
cpu as sourceId,
utid
from sched where utid in (${utids.join(',')})
union all
select *
from (
select
slice_id as sliceId,
ts,
'slice' as source,
track_id as sourceId,
0 as utid
from slice
where slice.name glob ${searchLiteral}
or (
0 != CAST(${sqliteString(search)} AS INT) and
sliceId = CAST(${sqliteString(search)} AS INT)
)
union
select
slice_id as sliceId,
ts,
'slice' as source,
track_id as sourceId,
0 as utid
from slice
join args using(arg_set_id)
where string_value glob ${searchLiteral} or key glob ${searchLiteral}
)
union all
select
id as sliceId,
ts,
'log' as source,
0 as sourceId,
utid
from android_logs where msg glob ${searchLiteral}
order by ts
`);
const searchResults: CurrentSearchResults = {
eventIds: new Float64Array(0),
tses: new BigInt64Array(0),
utids: new Float64Array(0),
sources: [],
trackKeys: [],
totalResults: 0,
};
const lowerSearch = search.toLowerCase();
for (const track of Object.values(globals.state.tracks)) {
if (track.name.toLowerCase().indexOf(lowerSearch) === -1) {
continue;
}
searchResults.totalResults++;
searchResults.sources.push('track');
searchResults.trackKeys.push(track.key);
}
const rows = res.numRows();
searchResults.eventIds = new Float64Array(
searchResults.totalResults + rows,
);
searchResults.tses = new BigInt64Array(searchResults.totalResults + rows);
searchResults.utids = new Float64Array(searchResults.totalResults + rows);
for (let i = 0; i < searchResults.totalResults; ++i) {
searchResults.eventIds[i] = -1;
searchResults.tses[i] = -1n;
searchResults.utids[i] = -1;
}
const it = res.iter({
sliceId: NUM,
ts: LONG,
source: STR,
sourceId: NUM,
utid: NUM,
});
for (; it.valid(); it.next()) {
let trackId = undefined;
if (it.source === 'cpu') {
trackId = cpuToTrackId.get(it.sourceId);
} else if (it.source === 'slice') {
trackId = globals.trackManager.trackKeyByTrackId.get(it.sourceId);
} else if (it.source === 'log') {
const logTracks = Object.values(globals.state.tracks).filter(
(track) => {
const trackDesc = globals.trackManager.resolveTrackInfo(track.uri);
return trackDesc && trackDesc.kind === 'AndroidLogTrack';
},
);
if (logTracks.length > 0) {
trackId = logTracks[0].key;
}
}
// The .get() calls above could return undefined, this isn't just an else.
if (trackId === undefined) {
continue;
}
const i = searchResults.totalResults++;
searchResults.trackKeys.push(trackId);
searchResults.sources.push(it.source as SearchSource);
searchResults.eventIds[i] = it.sliceId;
searchResults.tses[i] = it.ts;
searchResults.utids[i] = it.utid;
}
return searchResults;
}
private async query(query: string) {
const result = await this.engine.query(query);
return result;
}
}