UNPKG

chrome-devtools-frontend

Version:
462 lines (413 loc) • 19.7 kB
// Copyright 2020 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import * as Common from '../../../core/common/common.js'; import * as Host from '../../../core/host/host.js'; import * as i18n from '../../../core/i18n/i18n.js'; import * as SDK from '../../../core/sdk/sdk.js'; import * as Protocol from '../../../generated/protocol.js'; import * as UI from '../../legacy/legacy.js'; import {type Settings} from './LinearMemoryInspector.js'; import {Events as LmiEvents, LinearMemoryInspectorPaneImpl} from './LinearMemoryInspectorPane.js'; import { Endianness, getDefaultValueTypeMapping, type ValueType, type ValueTypeMode, } from './ValueInterpreterDisplayUtils.js'; import * as Bindings from '../../../models/bindings/bindings.js'; import {type HighlightInfo} from './LinearMemoryViewerUtils.js'; const UIStrings = { /** *@description Error message that shows up in the console if a buffer to be opened in the linear memory inspector cannot be found. */ couldNotOpenLinearMemory: 'Could not open linear memory inspector: failed locating buffer.', }; const str_ = i18n.i18n.registerUIStrings('ui/components/linear_memory_inspector/LinearMemoryInspectorController.ts', UIStrings); const i18nString = i18n.i18n.getLocalizedString.bind(undefined, str_); const LINEAR_MEMORY_INSPECTOR_OBJECT_GROUP = 'linear-memory-inspector'; const MEMORY_TRANSFER_MIN_CHUNK_SIZE = 1000; export const ACCEPTED_MEMORY_TYPES = ['webassemblymemory', 'typedarray', 'dataview', 'arraybuffer']; let controllerInstance: LinearMemoryInspectorController; export interface LazyUint8Array { getRange(start: number, end: number): Promise<Uint8Array>; length(): number; } export class RemoteArrayBufferWrapper implements LazyUint8Array { #remoteArrayBuffer: SDK.RemoteObject.RemoteArrayBuffer; constructor(arrayBuffer: SDK.RemoteObject.RemoteArrayBuffer) { this.#remoteArrayBuffer = arrayBuffer; } length(): number { return this.#remoteArrayBuffer.byteLength(); } async getRange(start: number, end: number): Promise<Uint8Array> { const newEnd = Math.min(end, this.length()); if (start < 0 || start > newEnd) { console.error(`Requesting invalid range of memory: (${start}, ${end})`); return new Uint8Array(0); } const array = await this.#remoteArrayBuffer.bytes(start, newEnd); return new Uint8Array(array); } } async function getBufferFromObject(obj: SDK.RemoteObject.RemoteObject): Promise<SDK.RemoteObject.RemoteArrayBuffer> { console.assert(obj.type === 'object'); console.assert(obj.subtype !== undefined && ACCEPTED_MEMORY_TYPES.includes(obj.subtype)); const response = await obj.runtimeModel().agent.invoke_callFunctionOn({ objectId: obj.objectId, functionDeclaration: 'function() { return this instanceof ArrayBuffer || (typeof SharedArrayBuffer !== \'undefined\' && this instanceof SharedArrayBuffer) ? this : this.buffer; }', silent: true, // Set object group in order to bind the object lifetime to the linear memory inspector. objectGroup: LINEAR_MEMORY_INSPECTOR_OBJECT_GROUP, }); const error = response.getError(); if (error) { throw new Error(`Remote object representing ArrayBuffer could not be retrieved: ${error}`); } obj = obj.runtimeModel().createRemoteObject(response.result); return new SDK.RemoteObject.RemoteArrayBuffer(obj); } export function isDWARFMemoryObject(obj: SDK.RemoteObject.RemoteObject): boolean { if (obj instanceof Bindings.DebuggerLanguagePlugins.ValueNode) { return obj.inspectableAddress !== undefined; } if (obj instanceof Bindings.DebuggerLanguagePlugins.ExtensionRemoteObject) { return obj.linearMemoryAddress !== undefined; } return false; } export function isMemoryObjectProperty(obj: SDK.RemoteObject.RemoteObject): boolean { const isWasmOrBuffer = obj.type === 'object' && obj.subtype && ACCEPTED_MEMORY_TYPES.includes(obj.subtype); if (isWasmOrBuffer || isDWARFMemoryObject(obj)) { return true; } return false; } type SerializableSettings = { valueTypes: ValueType[], valueTypeModes: [ValueType, ValueTypeMode][], endianness: Endianness, }; export class LinearMemoryInspectorController extends SDK.TargetManager.SDKModelObserver<SDK.RuntimeModel.RuntimeModel> { #paneInstance = LinearMemoryInspectorPaneImpl.instance(); #bufferIdToRemoteObject: Map<string, SDK.RemoteObject.RemoteObject> = new Map(); #bufferIdToHighlightInfo: Map<string, HighlightInfo> = new Map(); #settings: Common.Settings.Setting<SerializableSettings>; private constructor() { super(); SDK.TargetManager.TargetManager.instance().observeModels(SDK.RuntimeModel.RuntimeModel, this); SDK.TargetManager.TargetManager.instance().addModelListener( SDK.DebuggerModel.DebuggerModel, SDK.DebuggerModel.Events.GlobalObjectCleared, this.#onGlobalObjectClear, this); this.#paneInstance.addEventListener(LmiEvents.ViewClosed, this.#viewClosed.bind(this)); SDK.TargetManager.TargetManager.instance().addModelListener( SDK.DebuggerModel.DebuggerModel, SDK.DebuggerModel.Events.DebuggerPaused, this.#onDebuggerPause, this); const defaultValueTypeModes = getDefaultValueTypeMapping(); const defaultSettings: SerializableSettings = { valueTypes: Array.from(defaultValueTypeModes.keys()), valueTypeModes: Array.from(defaultValueTypeModes), endianness: Endianness.Little, }; this.#settings = Common.Settings.Settings.instance().createSetting('lmiInterpreterSettings', defaultSettings); } static instance(): LinearMemoryInspectorController { if (controllerInstance) { return controllerInstance; } controllerInstance = new LinearMemoryInspectorController(); return controllerInstance; } static async getMemoryForAddress(memoryWrapper: LazyUint8Array, address: number): Promise<{memory: Uint8Array, offset: number}> { // Provide a chunk of memory that covers the address to show and some before and after // as 1. the address shown is not necessarily at the beginning of a page and // 2. to allow for fewer memory requests. const memoryChunkStart = Math.max(0, address - MEMORY_TRANSFER_MIN_CHUNK_SIZE / 2); const memoryChunkEnd = memoryChunkStart + MEMORY_TRANSFER_MIN_CHUNK_SIZE; const memory = await memoryWrapper.getRange(memoryChunkStart, memoryChunkEnd); return {memory: memory, offset: memoryChunkStart}; } static async getMemoryRange(memoryWrapper: LazyUint8Array, start: number, end: number): Promise<Uint8Array> { // Check that the requested start is within bounds. // If the requested end is larger than the actual // memory, it will be automatically capped when // requesting the range. if (start < 0 || start > end || start >= memoryWrapper.length()) { throw new Error('Requested range is out of bounds.'); } const chunkEnd = Math.max(end, start + MEMORY_TRANSFER_MIN_CHUNK_SIZE); return await memoryWrapper.getRange(start, chunkEnd); } async evaluateExpression(callFrame: SDK.DebuggerModel.CallFrame, expressionName: string): Promise<SDK.RemoteObject.RemoteObject|undefined> { const result = await callFrame.evaluate({expression: expressionName}); if ('error' in result) { console.error(`Tried to evaluate the expression '${expressionName}' but got an error: ${result.error}`); return undefined; } if ('exceptionDetails' in result && result?.exceptionDetails?.text) { console.error( `Tried to evaluate the expression '${expressionName}' but got an exception: ${result.exceptionDetails.text}`); return undefined; } return result.object; } saveSettings(data: Settings): void { const valueTypes = Array.from(data.valueTypes); const modes = [...data.modes]; this.#settings.set({valueTypes, valueTypeModes: modes, endianness: data.endianness}); } loadSettings(): Settings { const settings = this.#settings.get(); return { valueTypes: new Set(settings.valueTypes), modes: new Map(settings.valueTypeModes), endianness: settings.endianness, }; } getHighlightInfo(bufferId: string): HighlightInfo|undefined { return this.#bufferIdToHighlightInfo.get(bufferId); } removeHighlight(bufferId: string, highlightInfo: HighlightInfo): void { const currentHighlight = this.getHighlightInfo(bufferId); if (currentHighlight === highlightInfo) { this.#bufferIdToHighlightInfo.delete(bufferId); } } setHighlightInfo(bufferId: string, highlightInfo: HighlightInfo): void { this.#bufferIdToHighlightInfo.set(bufferId, highlightInfo); } #resetHighlightInfo(bufferId: string): void { this.#bufferIdToHighlightInfo.delete(bufferId); } static async retrieveDWARFMemoryObjectAndAddress(obj: SDK.RemoteObject.RemoteObject): Promise<{obj: SDK.RemoteObject.RemoteObject, address: number}|undefined> { if (obj instanceof Bindings.DebuggerLanguagePlugins.ExtensionRemoteObject) { const valueNode = obj; const address = valueNode.linearMemoryAddress || 0; const callFrame = valueNode.callFrame; const response = await obj.debuggerModel().agent.invoke_evaluateOnCallFrame({ callFrameId: callFrame.id, expression: 'memories[0]', }); const error = response.getError(); if (error) { console.error(error); Common.Console.Console.instance().error(i18nString(UIStrings.couldNotOpenLinearMemory)); } const runtimeModel = obj.debuggerModel().runtimeModel(); return {obj: runtimeModel.createRemoteObject(response.result), address}; } if (!(obj instanceof Bindings.DebuggerLanguagePlugins.ValueNode)) { return; } const valueNode = obj; const address = valueNode.inspectableAddress || 0; const callFrame = valueNode.callFrame; const response = await obj.debuggerModel().agent.invoke_evaluateOnCallFrame({ callFrameId: callFrame.id, expression: 'memories[0]', }); const error = response.getError(); if (error) { console.error(error); Common.Console.Console.instance().error(i18nString(UIStrings.couldNotOpenLinearMemory)); } const runtimeModel = obj.debuggerModel().runtimeModel(); obj = runtimeModel.createRemoteObject(response.result); return {obj, address}; } // This function returns the size of the source language value represented // by the ValueNode. If the value is a pointer, the function returns the size of // the pointed-to value. If the pointed-to value is also a pointer, it returns // the size of the pointer (usually 4 bytes). This is the convention taken // by the DWARF extension. // > double x = 42.0; // > double *ptr = &x; // > double **dblptr = &ptr; // // retrieveObjectSize(ptr_ValueNode) -> 8, the size of a double // retrieveObjectSize(dblptr_ValueNode) -> 4, the size of a pointer static extractObjectSize(obj: Bindings.DebuggerLanguagePlugins.ValueNode): number { let typeInfo = obj.sourceType.typeInfo; const pointerMembers = typeInfo.members.filter(member => member.name === '*'); if (pointerMembers.length === 1) { const typeId = pointerMembers[0].typeId; const newTypeInfo = obj.sourceType.typeMap.get(typeId)?.typeInfo; if (newTypeInfo !== undefined) { typeInfo = newTypeInfo; } else { throw new Error(`Cannot find the source type information for typeId ${typeId}.`); } } else if (pointerMembers.length > 1) { throw new Error('The number of pointers in typeInfo.members should not be greater than one.'); } return typeInfo.size; } // The object type description corresponds to the type of the highlighted memory // that the user sees in the memory inspector. For pointers, we highlight the pointed to object. // // Example: The variable `x` has the type `int *`. Assume that `x` points to the value 3. // -> The memory inspector will jump to the address where 3 is stored. // -> The memory inspector will highlight the bytes that represent the 3. // -> The object type description of what we show will thus be `int` and not `int *`. static extractObjectTypeDescription(obj: Bindings.DebuggerLanguagePlugins.ValueNode): string { const objType = obj.description; if (!objType) { return ''; } const lastChar = objType.charAt(objType.length - 1); const secondToLastChar = objType.charAt(objType.length - 2); const isPointerType = lastChar === '*' || lastChar === '&'; const isOneLevelPointer = secondToLastChar === ' '; if (!isPointerType) { return objType; } if (isOneLevelPointer) { // For example, 'int *'and 'int &' become 'int'. return objType.slice(0, objType.length - 2); } // For example, 'int **' becomes 'int *'. return objType.slice(0, objType.length - 1); } // When inspecting a pointer variable, we indicate that we display the pointed-to object in the viewer // by prepending an asterisk to the pointer expression's name (mimicking C++ dereferencing). // If the object isn't a pointer, we return the expression unchanged. // // Examples: // (int *) myNumber -> (int) *myNumber // (int[]) numbers -> (int[]) numbers static extractObjectName(obj: Bindings.DebuggerLanguagePlugins.ValueNode, expression: string): string { const lastChar = obj.description?.charAt(obj.description.length - 1); const isPointerType = lastChar === '*'; if (isPointerType) { return '*' + expression; } return expression; } async openInspectorView(obj: SDK.RemoteObject.RemoteObject, address?: number, expression?: string): Promise<void> { const response = await LinearMemoryInspectorController.retrieveDWARFMemoryObjectAndAddress(obj); let memoryObj = obj; let memoryAddress = address; if (response !== undefined) { memoryAddress = response.address; memoryObj = response.obj; } if (memoryAddress !== undefined) { Host.userMetrics.linearMemoryInspectorTarget( Host.UserMetrics.LinearMemoryInspectorTarget.DWARFInspectableAddress); } else if (memoryObj.subtype === Protocol.Runtime.RemoteObjectSubtype.Arraybuffer) { Host.userMetrics.linearMemoryInspectorTarget(Host.UserMetrics.LinearMemoryInspectorTarget.ArrayBuffer); } else if (memoryObj.subtype === Protocol.Runtime.RemoteObjectSubtype.Dataview) { Host.userMetrics.linearMemoryInspectorTarget(Host.UserMetrics.LinearMemoryInspectorTarget.DataView); } else if (memoryObj.subtype === Protocol.Runtime.RemoteObjectSubtype.Typedarray) { Host.userMetrics.linearMemoryInspectorTarget(Host.UserMetrics.LinearMemoryInspectorTarget.TypedArray); } else { console.assert(memoryObj.subtype === Protocol.Runtime.RemoteObjectSubtype.Webassemblymemory); Host.userMetrics.linearMemoryInspectorTarget(Host.UserMetrics.LinearMemoryInspectorTarget.WebAssemblyMemory); } const buffer = await getBufferFromObject(memoryObj); const {internalProperties} = await buffer.object().getOwnProperties(false); const idProperty = internalProperties?.find(({name}) => name === '[[ArrayBufferData]]'); const id = idProperty?.value?.value; if (!id) { throw new Error('Unable to find backing store id for array buffer'); } const memoryProperty = internalProperties?.find(({name}) => name === '[[WebAssemblyMemory]]'); const memory = memoryProperty?.value; const highlightInfo = LinearMemoryInspectorController.extractHighlightInfo(obj, expression); if (highlightInfo) { this.setHighlightInfo(id, highlightInfo); } else { this.#resetHighlightInfo(id); } if (this.#bufferIdToRemoteObject.has(id)) { this.#paneInstance.reveal(id, memoryAddress); void UI.ViewManager.ViewManager.instance().showView('linear-memory-inspector'); return; } const title = String(memory ? memory.description : buffer.object().description); this.#bufferIdToRemoteObject.set(id, buffer.object()); const arrayBufferWrapper = new RemoteArrayBufferWrapper(buffer); this.#paneInstance.create(id, title, arrayBufferWrapper, memoryAddress); void UI.ViewManager.ViewManager.instance().showView('linear-memory-inspector'); } static extractHighlightInfo(obj: SDK.RemoteObject.RemoteObject, expression?: string): HighlightInfo|undefined { if (!(obj instanceof Bindings.DebuggerLanguagePlugins.ValueNode)) { return undefined; } let highlightInfo; try { highlightInfo = { startAddress: obj.inspectableAddress || 0, size: LinearMemoryInspectorController.extractObjectSize(obj), name: expression ? LinearMemoryInspectorController.extractObjectName(obj, expression) : expression, type: LinearMemoryInspectorController.extractObjectTypeDescription(obj), }; } catch (err) { highlightInfo = undefined; } return highlightInfo; } modelRemoved(model: SDK.RuntimeModel.RuntimeModel): void { for (const [bufferId, remoteObject] of this.#bufferIdToRemoteObject) { if (model === remoteObject.runtimeModel()) { this.#bufferIdToRemoteObject.delete(bufferId); this.#resetHighlightInfo(bufferId); this.#paneInstance.close(bufferId); } } } #onDebuggerPause(event: Common.EventTarget.EventTargetEvent<SDK.DebuggerModel.DebuggerModel>): void { const debuggerModel = event.data; for (const [bufferId, remoteObject] of this.#bufferIdToRemoteObject) { if (debuggerModel.runtimeModel() === remoteObject.runtimeModel()) { const topCallFrame = debuggerModel.debuggerPausedDetails()?.callFrames[0]; if (topCallFrame) { void this .updateHighlightedMemory(bufferId, topCallFrame) // Need to call refreshView in the callback to trigger re-render. .then(() => this.#paneInstance.refreshView(bufferId)); } else { this.#resetHighlightInfo(bufferId); this.#paneInstance.refreshView(bufferId); } } } } #onGlobalObjectClear(event: Common.EventTarget.EventTargetEvent<SDK.DebuggerModel.DebuggerModel>): void { this.modelRemoved(event.data.runtimeModel()); } #viewClosed({data: bufferId}: Common.EventTarget.EventTargetEvent<string>): void { const remoteObj = this.#bufferIdToRemoteObject.get(bufferId); if (remoteObj) { remoteObj.release(); } this.#bufferIdToRemoteObject.delete(bufferId); this.#resetHighlightInfo(bufferId); } async updateHighlightedMemory(bufferId: string, callFrame: SDK.DebuggerModel.CallFrame): Promise<void> { const oldHighlightInfo = this.getHighlightInfo(bufferId); const expressionName = oldHighlightInfo?.name; if (!oldHighlightInfo || !expressionName) { this.#resetHighlightInfo(bufferId); return; } const obj = await this.evaluateExpression(callFrame, expressionName); if (!obj) { this.#resetHighlightInfo(bufferId); return; } const newHighlightInfo = LinearMemoryInspectorController.extractHighlightInfo(obj, expressionName); if (!newHighlightInfo || !this.#pointToSameMemoryObject(newHighlightInfo, oldHighlightInfo)) { this.#resetHighlightInfo(bufferId); } else { this.setHighlightInfo(bufferId, newHighlightInfo); } } #pointToSameMemoryObject(highlightInfoA: HighlightInfo, highlightInfoB: HighlightInfo): boolean { return highlightInfoA.type === highlightInfoB.type && highlightInfoA.startAddress === highlightInfoB.startAddress; } }