UNPKG

chrome-devtools-frontend

Version:
1,443 lines (1,245 loc) 105 kB
/* * Copyright (C) 2011 Google Inc. All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are * met: * * * Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * Redistributions in binary form must reproduce the above * copyright notice, this list of conditions and the following disclaimer * in the documentation and/or other materials provided with the * distribution. * * Neither the name of Google Inc. nor the names of its * contributors may be used to endorse or promote products derived from * this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT * OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ /* eslint-disable rulesdir/use_private_class_members */ import * as i18n from '../../core/i18n/i18n.js'; import * as Platform from '../../core/platform/platform.js'; import * as HeapSnapshotModel from '../../models/heap_snapshot_model/heap_snapshot_model.js'; import {AllocationProfile} from './AllocationProfile.js'; import {type HeapSnapshotWorkerDispatcher} from './HeapSnapshotWorkerDispatcher.js'; export interface HeapSnapshotItem { itemIndex(): number; serialize(): Object; } export class HeapSnapshotEdge implements HeapSnapshotItem { snapshot: HeapSnapshot; protected readonly edges: Uint32Array; edgeIndex: number; constructor(snapshot: HeapSnapshot, edgeIndex?: number) { this.snapshot = snapshot; this.edges = snapshot.containmentEdges; this.edgeIndex = edgeIndex || 0; } clone(): HeapSnapshotEdge { return new HeapSnapshotEdge(this.snapshot, this.edgeIndex); } hasStringName(): boolean { throw new Error('Not implemented'); } name(): string { throw new Error('Not implemented'); } node(): HeapSnapshotNode { return this.snapshot.createNode(this.nodeIndex()); } nodeIndex(): number { if (typeof this.snapshot.edgeToNodeOffset === 'undefined') { throw new Error('edgeToNodeOffset is undefined'); } return this.edges[this.edgeIndex + this.snapshot.edgeToNodeOffset]; } toString(): string { return 'HeapSnapshotEdge: ' + this.name(); } type(): string { return this.snapshot.edgeTypes[this.rawType()]; } itemIndex(): number { return this.edgeIndex; } serialize(): HeapSnapshotModel.HeapSnapshotModel.Edge { return new HeapSnapshotModel.HeapSnapshotModel.Edge( this.name(), this.node().serialize(), this.type(), this.edgeIndex); } rawType(): number { if (typeof this.snapshot.edgeTypeOffset === 'undefined') { throw new Error('edgeTypeOffset is undefined'); } return this.edges[this.edgeIndex + this.snapshot.edgeTypeOffset]; } isInvisible(): boolean { throw new Error('Not implemented'); } isWeak(): boolean { throw new Error('Not implemented'); } } export interface HeapSnapshotItemIterator { hasNext(): boolean; item(): HeapSnapshotItem; next(): void; } export interface HeapSnapshotItemIndexProvider { itemForIndex(newIndex: number): HeapSnapshotItem; } export class HeapSnapshotNodeIndexProvider implements HeapSnapshotItemIndexProvider { #node: HeapSnapshotNode; constructor(snapshot: HeapSnapshot) { this.#node = snapshot.createNode(); } itemForIndex(index: number): HeapSnapshotNode { this.#node.nodeIndex = index; return this.#node; } } export class HeapSnapshotEdgeIndexProvider implements HeapSnapshotItemIndexProvider { #edge: JSHeapSnapshotEdge; constructor(snapshot: HeapSnapshot) { this.#edge = snapshot.createEdge(0); } itemForIndex(index: number): HeapSnapshotEdge { this.#edge.edgeIndex = index; return this.#edge; } } export class HeapSnapshotRetainerEdgeIndexProvider implements HeapSnapshotItemIndexProvider { readonly #retainerEdge: JSHeapSnapshotRetainerEdge; constructor(snapshot: HeapSnapshot) { this.#retainerEdge = snapshot.createRetainingEdge(0); } itemForIndex(index: number): HeapSnapshotRetainerEdge { this.#retainerEdge.setRetainerIndex(index); return this.#retainerEdge; } } export class HeapSnapshotEdgeIterator implements HeapSnapshotItemIterator { readonly #sourceNode: HeapSnapshotNode; edge: JSHeapSnapshotEdge; constructor(node: HeapSnapshotNode) { this.#sourceNode = node; this.edge = node.snapshot.createEdge(node.edgeIndexesStart()); } hasNext(): boolean { return this.edge.edgeIndex < this.#sourceNode.edgeIndexesEnd(); } item(): HeapSnapshotEdge { return this.edge; } next(): void { if (typeof this.edge.snapshot.edgeFieldsCount === 'undefined') { throw new Error('edgeFieldsCount is undefined'); } this.edge.edgeIndex += this.edge.snapshot.edgeFieldsCount; } } export class HeapSnapshotRetainerEdge implements HeapSnapshotItem { protected snapshot: HeapSnapshot; #retainerIndexInternal!: number; #globalEdgeIndex!: number; #retainingNodeIndex?: number; #edgeInstance?: JSHeapSnapshotEdge|null; #nodeInstance?: HeapSnapshotNode|null; constructor(snapshot: HeapSnapshot, retainerIndex: number) { this.snapshot = snapshot; this.setRetainerIndex(retainerIndex); } clone(): HeapSnapshotRetainerEdge { return new HeapSnapshotRetainerEdge(this.snapshot, this.retainerIndex()); } hasStringName(): boolean { return this.edge().hasStringName(); } name(): string { return this.edge().name(); } node(): HeapSnapshotNode { return this.nodeInternal(); } nodeIndex(): number { if (typeof this.#retainingNodeIndex === 'undefined') { throw new Error('retainingNodeIndex is undefined'); } return this.#retainingNodeIndex; } retainerIndex(): number { return this.#retainerIndexInternal; } setRetainerIndex(retainerIndex: number): void { if (retainerIndex === this.#retainerIndexInternal) { return; } if (!this.snapshot.retainingEdges || !this.snapshot.retainingNodes) { throw new Error('Snapshot does not contain retaining edges or retaining nodes'); } this.#retainerIndexInternal = retainerIndex; this.#globalEdgeIndex = this.snapshot.retainingEdges[retainerIndex]; this.#retainingNodeIndex = this.snapshot.retainingNodes[retainerIndex]; this.#edgeInstance = null; this.#nodeInstance = null; } set edgeIndex(edgeIndex: number) { this.setRetainerIndex(edgeIndex); } private nodeInternal(): HeapSnapshotNode { if (!this.#nodeInstance) { this.#nodeInstance = this.snapshot.createNode(this.#retainingNodeIndex); } return this.#nodeInstance; } protected edge(): JSHeapSnapshotEdge { if (!this.#edgeInstance) { this.#edgeInstance = this.snapshot.createEdge(this.#globalEdgeIndex); } return this.#edgeInstance; } toString(): string { return this.edge().toString(); } itemIndex(): number { return this.#retainerIndexInternal; } serialize(): HeapSnapshotModel.HeapSnapshotModel.Edge { return new HeapSnapshotModel.HeapSnapshotModel.Edge( this.name(), this.node().serialize(), this.type(), this.#globalEdgeIndex); } type(): string { return this.edge().type(); } } export class HeapSnapshotRetainerEdgeIterator implements HeapSnapshotItemIterator { readonly #retainersEnd: number; retainer: JSHeapSnapshotRetainerEdge; constructor(retainedNode: HeapSnapshotNode) { const snapshot = retainedNode.snapshot; const retainedNodeOrdinal = retainedNode.ordinal(); if (!snapshot.firstRetainerIndex) { throw new Error('Snapshot does not contain firstRetainerIndex'); } const retainerIndex = snapshot.firstRetainerIndex[retainedNodeOrdinal]; this.#retainersEnd = snapshot.firstRetainerIndex[retainedNodeOrdinal + 1]; this.retainer = snapshot.createRetainingEdge(retainerIndex); } hasNext(): boolean { return this.retainer.retainerIndex() < this.#retainersEnd; } item(): HeapSnapshotRetainerEdge { return this.retainer; } next(): void { this.retainer.setRetainerIndex(this.retainer.retainerIndex() + 1); } } export class HeapSnapshotNode implements HeapSnapshotItem { snapshot: HeapSnapshot; nodeIndex: number; constructor(snapshot: HeapSnapshot, nodeIndex?: number) { this.snapshot = snapshot; this.nodeIndex = nodeIndex || 0; } distance(): number { return this.snapshot.nodeDistances[this.nodeIndex / this.snapshot.nodeFieldCount]; } className(): string { throw new Error('Not implemented'); } classIndex(): number { throw new Error('Not implemented'); } dominatorIndex(): number { const nodeFieldCount = this.snapshot.nodeFieldCount; return this.snapshot.dominatorsTree[this.nodeIndex / this.snapshot.nodeFieldCount] * nodeFieldCount; } edges(): HeapSnapshotEdgeIterator { return new HeapSnapshotEdgeIterator(this); } edgesCount(): number { return (this.edgeIndexesEnd() - this.edgeIndexesStart()) / this.snapshot.edgeFieldsCount; } id(): number { throw new Error('Not implemented'); } rawName(): string { throw new Error('Not implemented'); } isRoot(): boolean { return this.nodeIndex === this.snapshot.rootNodeIndex; } isUserRoot(): boolean { throw new Error('Not implemented'); } isHidden(): boolean { throw new Error('Not implemented'); } isArray(): boolean { throw new Error('Not implemented'); } isDocumentDOMTreesRoot(): boolean { throw new Error('Not implemented'); } name(): string { return this.snapshot.strings[this.nameInternal()]; } retainedSize(): number { return this.snapshot.retainedSizes[this.ordinal()]; } retainers(): HeapSnapshotRetainerEdgeIterator { return new HeapSnapshotRetainerEdgeIterator(this); } retainersCount(): number { const snapshot = this.snapshot; const ordinal = this.ordinal(); return snapshot.firstRetainerIndex[ordinal + 1] - snapshot.firstRetainerIndex[ordinal]; } selfSize(): number { const snapshot = this.snapshot; return snapshot.nodes[this.nodeIndex + snapshot.nodeSelfSizeOffset]; } type(): string { return this.snapshot.nodeTypes[this.rawType()]; } traceNodeId(): number { const snapshot = this.snapshot; return snapshot.nodes[this.nodeIndex + snapshot.nodeTraceNodeIdOffset]; } itemIndex(): number { return this.nodeIndex; } serialize(): HeapSnapshotModel.HeapSnapshotModel.Node { return new HeapSnapshotModel.HeapSnapshotModel.Node( this.id(), this.name(), this.distance(), this.nodeIndex, this.retainedSize(), this.selfSize(), this.type()); } private nameInternal(): number { const snapshot = this.snapshot; return snapshot.nodes[this.nodeIndex + snapshot.nodeNameOffset]; } edgeIndexesStart(): number { return this.snapshot.firstEdgeIndexes[this.ordinal()]; } edgeIndexesEnd(): number { return this.snapshot.firstEdgeIndexes[this.ordinal() + 1]; } ordinal(): number { return this.nodeIndex / this.snapshot.nodeFieldCount; } nextNodeIndex(): number { return this.nodeIndex + this.snapshot.nodeFieldCount; } rawType(): number { const snapshot = this.snapshot; return snapshot.nodes[this.nodeIndex + snapshot.nodeTypeOffset]; } } export class HeapSnapshotNodeIterator implements HeapSnapshotItemIterator { node: HeapSnapshotNode; readonly #nodesLength: number; constructor(node: HeapSnapshotNode) { this.node = node; this.#nodesLength = node.snapshot.nodes.length; } hasNext(): boolean { return this.node.nodeIndex < this.#nodesLength; } item(): HeapSnapshotNode { return this.node; } next(): void { this.node.nodeIndex = this.node.nextNodeIndex(); } } export class HeapSnapshotIndexRangeIterator implements HeapSnapshotItemIterator { readonly #itemProvider: HeapSnapshotItemIndexProvider; readonly #indexes: number[]|Uint32Array; #position: number; constructor(itemProvider: HeapSnapshotItemIndexProvider, indexes: number[]|Uint32Array) { this.#itemProvider = itemProvider; this.#indexes = indexes; this.#position = 0; } hasNext(): boolean { return this.#position < this.#indexes.length; } item(): HeapSnapshotItem { const index = this.#indexes[this.#position]; return this.#itemProvider.itemForIndex(index); } next(): void { ++this.#position; } } export class HeapSnapshotFilteredIterator implements HeapSnapshotItemIterator { #iterator: HeapSnapshotItemIterator; #filter: ((arg0: HeapSnapshotItem) => boolean)|undefined; constructor(iterator: HeapSnapshotItemIterator, filter?: ((arg0: HeapSnapshotItem) => boolean)) { this.#iterator = iterator; this.#filter = filter; this.skipFilteredItems(); } hasNext(): boolean { return this.#iterator.hasNext(); } item(): HeapSnapshotItem { return this.#iterator.item(); } next(): void { this.#iterator.next(); this.skipFilteredItems(); } private skipFilteredItems(): void { while (this.#iterator.hasNext() && this.#filter && !this.#filter(this.#iterator.item())) { this.#iterator.next(); } } } export class HeapSnapshotProgress { readonly #dispatcher: HeapSnapshotWorkerDispatcher|undefined; constructor(dispatcher?: HeapSnapshotWorkerDispatcher) { this.#dispatcher = dispatcher; } updateStatus(status: string): void { this.sendUpdateEvent(i18n.i18n.serializeUIString(status)); } updateProgress(title: string, value: number, total: number): void { const percentValue = ((total ? (value / total) : 0) * 100).toFixed(0); this.sendUpdateEvent(i18n.i18n.serializeUIString(title, {PH1: percentValue})); } reportProblem(error: string): void { // May be undefined in tests. if (this.#dispatcher) { this.#dispatcher.sendEvent(HeapSnapshotModel.HeapSnapshotModel.HeapSnapshotProgressEvent.BrokenSnapshot, error); } } private sendUpdateEvent(serializedText: string): void { // May be undefined in tests. if (this.#dispatcher) { this.#dispatcher.sendEvent(HeapSnapshotModel.HeapSnapshotModel.HeapSnapshotProgressEvent.Update, serializedText); } } } export class HeapSnapshotProblemReport { readonly #errors: string[]; constructor(title: string) { this.#errors = [title]; } addError(error: string): void { if (this.#errors.length > 100) { return; } this.#errors.push(error); } toString(): string { return this.#errors.join('\n '); } } export interface Profile { // eslint-disable-next-line @typescript-eslint/naming-convention root_index: number; nodes: Uint32Array; edges: Uint32Array; snapshot: HeapSnapshotHeader; samples: number[]; strings: string[]; locations: number[]; // eslint-disable-next-line @typescript-eslint/naming-convention trace_function_infos: Uint32Array; // eslint-disable-next-line @typescript-eslint/naming-convention trace_tree: Object; } /** * DOM node link state. */ const enum DOMLinkState { Unknown = 0, Attached = 1, Detached = 2, } export abstract class HeapSnapshot { nodes: Uint32Array; containmentEdges: Uint32Array; readonly #metaNode: HeapSnapshotMetainfo; readonly #rawSamples: number[]; #samples: HeapSnapshotModel.HeapSnapshotModel.Samples|null; strings: string[]; readonly #locations: number[]; readonly #progress: HeapSnapshotProgress; readonly #noDistance: number; rootNodeIndexInternal: number; #snapshotDiffs: { [x: string]: { [x: string]: HeapSnapshotModel.HeapSnapshotModel.Diff, }, }; #aggregatesForDiffInternal!: { [x: string]: HeapSnapshotModel.HeapSnapshotModel.AggregateForDiff, }; #aggregates: { [x: string]: { [x: string]: AggregatedInfo, }, }; #aggregatesSortedFlags: { [x: string]: boolean, }; #profile: Profile; nodeTypeOffset!: number; nodeNameOffset!: number; nodeIdOffset!: number; nodeSelfSizeOffset!: number; #nodeEdgeCountOffset!: number; nodeTraceNodeIdOffset!: number; nodeFieldCount!: number; nodeTypes!: string[]; nodeArrayType!: number; nodeHiddenType!: number; nodeObjectType!: number; nodeNativeType!: number; nodeConsStringType!: number; nodeSlicedStringType!: number; nodeCodeType!: number; nodeSyntheticType!: number; edgeFieldsCount!: number; edgeTypeOffset!: number; edgeNameOffset!: number; edgeToNodeOffset!: number; edgeTypes!: string[]; edgeElementType!: number; edgeHiddenType!: number; edgeInternalType!: number; edgeShortcutType!: number; edgeWeakType!: number; edgeInvisibleType!: number; #locationIndexOffset!: number; #locationScriptIdOffset!: number; #locationLineOffset!: number; #locationColumnOffset!: number; #locationFieldCount!: number; nodeCount!: number; #edgeCount!: number; retainedSizes!: Float64Array; firstEdgeIndexes!: Uint32Array; retainingNodes!: Uint32Array; retainingEdges!: Uint32Array; firstRetainerIndex!: Uint32Array; nodeDistances!: Int32Array; firstDominatedNodeIndex!: Uint32Array; dominatedNodes!: Uint32Array; dominatorsTree!: Uint32Array; #allocationProfile!: AllocationProfile; #nodeDetachednessOffset!: number; #locationMap!: Map<number, HeapSnapshotModel.HeapSnapshotModel.Location>; lazyStringCache!: { [x: string]: string, }; constructor(profile: Profile, progress: HeapSnapshotProgress) { this.nodes = profile.nodes; this.containmentEdges = profile.edges; this.#metaNode = profile.snapshot.meta; this.#rawSamples = profile.samples; this.#samples = null; this.strings = profile.strings; this.#locations = profile.locations; this.#progress = progress; this.#noDistance = -5; this.rootNodeIndexInternal = 0; if (profile.snapshot.root_index) { this.rootNodeIndexInternal = profile.snapshot.root_index; } this.#snapshotDiffs = {}; this.#aggregates = {}; this.#aggregatesSortedFlags = {}; this.#profile = profile; } initialize(): void { const meta = this.#metaNode; this.nodeTypeOffset = meta.node_fields.indexOf('type'); this.nodeNameOffset = meta.node_fields.indexOf('name'); this.nodeIdOffset = meta.node_fields.indexOf('id'); this.nodeSelfSizeOffset = meta.node_fields.indexOf('self_size'); this.#nodeEdgeCountOffset = meta.node_fields.indexOf('edge_count'); this.nodeTraceNodeIdOffset = meta.node_fields.indexOf('trace_node_id'); this.#nodeDetachednessOffset = meta.node_fields.indexOf('detachedness'); this.nodeFieldCount = meta.node_fields.length; this.nodeTypes = meta.node_types[this.nodeTypeOffset]; this.nodeArrayType = this.nodeTypes.indexOf('array'); this.nodeHiddenType = this.nodeTypes.indexOf('hidden'); this.nodeObjectType = this.nodeTypes.indexOf('object'); this.nodeNativeType = this.nodeTypes.indexOf('native'); this.nodeConsStringType = this.nodeTypes.indexOf('concatenated string'); this.nodeSlicedStringType = this.nodeTypes.indexOf('sliced string'); this.nodeCodeType = this.nodeTypes.indexOf('code'); this.nodeSyntheticType = this.nodeTypes.indexOf('synthetic'); this.edgeFieldsCount = meta.edge_fields.length; this.edgeTypeOffset = meta.edge_fields.indexOf('type'); this.edgeNameOffset = meta.edge_fields.indexOf('name_or_index'); this.edgeToNodeOffset = meta.edge_fields.indexOf('to_node'); this.edgeTypes = meta.edge_types[this.edgeTypeOffset]; this.edgeTypes.push('invisible'); this.edgeElementType = this.edgeTypes.indexOf('element'); this.edgeHiddenType = this.edgeTypes.indexOf('hidden'); this.edgeInternalType = this.edgeTypes.indexOf('internal'); this.edgeShortcutType = this.edgeTypes.indexOf('shortcut'); this.edgeWeakType = this.edgeTypes.indexOf('weak'); this.edgeInvisibleType = this.edgeTypes.indexOf('invisible'); const locationFields = meta.location_fields || []; this.#locationIndexOffset = locationFields.indexOf('object_index'); this.#locationScriptIdOffset = locationFields.indexOf('script_id'); this.#locationLineOffset = locationFields.indexOf('line'); this.#locationColumnOffset = locationFields.indexOf('column'); this.#locationFieldCount = locationFields.length; this.nodeCount = this.nodes.length / this.nodeFieldCount; this.#edgeCount = this.containmentEdges.length / this.edgeFieldsCount; this.retainedSizes = new Float64Array(this.nodeCount); this.firstEdgeIndexes = new Uint32Array(this.nodeCount + 1); this.retainingNodes = new Uint32Array(this.#edgeCount); this.retainingEdges = new Uint32Array(this.#edgeCount); this.firstRetainerIndex = new Uint32Array(this.nodeCount + 1); this.nodeDistances = new Int32Array(this.nodeCount); this.firstDominatedNodeIndex = new Uint32Array(this.nodeCount + 1); this.dominatedNodes = new Uint32Array(this.nodeCount - 1); this.#progress.updateStatus('Building edge indexes…'); this.buildEdgeIndexes(); this.#progress.updateStatus('Building retainers…'); this.buildRetainers(); this.#progress.updateStatus('Propagating DOM state…'); this.propagateDOMState(); this.#progress.updateStatus('Calculating node flags…'); this.calculateFlags(); this.#progress.updateStatus('Calculating distances…'); this.calculateDistances(); this.#progress.updateStatus('Building postorder index…'); const result = this.buildPostOrderIndex(); // Actually it is array that maps node ordinal number to dominator node ordinal number. this.#progress.updateStatus('Building dominator tree…'); this.dominatorsTree = this.buildDominatorTree(result.postOrderIndex2NodeOrdinal, result.nodeOrdinal2PostOrderIndex); this.#progress.updateStatus('Calculating retained sizes…'); this.calculateRetainedSizes(result.postOrderIndex2NodeOrdinal); this.#progress.updateStatus('Building dominated nodes…'); this.buildDominatedNodes(); this.#progress.updateStatus('Calculating statistics…'); this.calculateStatistics(); this.#progress.updateStatus('Calculating samples…'); this.buildSamples(); this.#progress.updateStatus('Building locations…'); this.buildLocationMap(); this.#progress.updateStatus('Finished processing.'); if (this.#profile.snapshot.trace_function_count) { this.#progress.updateStatus('Building allocation statistics…'); const nodes = this.nodes; const nodesLength = nodes.length; const nodeFieldCount = this.nodeFieldCount; const node = this.rootNode(); const liveObjects: {[x: number]: {count: number, size: number, ids: number[]}} = {}; for (let nodeIndex = 0; nodeIndex < nodesLength; nodeIndex += nodeFieldCount) { node.nodeIndex = nodeIndex; const traceNodeId = node.traceNodeId(); let stats: { count: number, size: number, ids: number[], } = liveObjects[traceNodeId]; if (!stats) { liveObjects[traceNodeId] = stats = {count: 0, size: 0, ids: []}; } stats.count++; stats.size += node.selfSize(); stats.ids.push(node.id()); } this.#allocationProfile = new AllocationProfile(this.#profile, liveObjects); this.#progress.updateStatus('done'); } } private buildEdgeIndexes(): void { const nodes = this.nodes; const nodeCount = this.nodeCount; const firstEdgeIndexes = this.firstEdgeIndexes; const nodeFieldCount = this.nodeFieldCount; const edgeFieldsCount = this.edgeFieldsCount; const nodeEdgeCountOffset = this.#nodeEdgeCountOffset; firstEdgeIndexes[nodeCount] = this.containmentEdges.length; for (let nodeOrdinal = 0, edgeIndex = 0; nodeOrdinal < nodeCount; ++nodeOrdinal) { firstEdgeIndexes[nodeOrdinal] = edgeIndex; edgeIndex += nodes[nodeOrdinal * nodeFieldCount + nodeEdgeCountOffset] * edgeFieldsCount; } } private buildRetainers(): void { const retainingNodes = this.retainingNodes; const retainingEdges = this.retainingEdges; // Index of the first retainer in the retainingNodes and retainingEdges // arrays. Addressed by retained node index. const firstRetainerIndex = this.firstRetainerIndex; const containmentEdges = this.containmentEdges; const edgeFieldsCount = this.edgeFieldsCount; const nodeFieldCount = this.nodeFieldCount; const edgeToNodeOffset = this.edgeToNodeOffset; const firstEdgeIndexes = this.firstEdgeIndexes; const nodeCount = this.nodeCount; for (let toNodeFieldIndex = edgeToNodeOffset, l = containmentEdges.length; toNodeFieldIndex < l; toNodeFieldIndex += edgeFieldsCount) { const toNodeIndex = containmentEdges[toNodeFieldIndex]; if (toNodeIndex % nodeFieldCount) { throw new Error('Invalid toNodeIndex ' + toNodeIndex); } ++firstRetainerIndex[toNodeIndex / nodeFieldCount]; } for (let i = 0, firstUnusedRetainerSlot = 0; i < nodeCount; i++) { const retainersCount = firstRetainerIndex[i]; firstRetainerIndex[i] = firstUnusedRetainerSlot; retainingNodes[firstUnusedRetainerSlot] = retainersCount; firstUnusedRetainerSlot += retainersCount; } firstRetainerIndex[nodeCount] = retainingNodes.length; let nextNodeFirstEdgeIndex: number = firstEdgeIndexes[0]; for (let srcNodeOrdinal = 0; srcNodeOrdinal < nodeCount; ++srcNodeOrdinal) { const firstEdgeIndex = nextNodeFirstEdgeIndex; nextNodeFirstEdgeIndex = firstEdgeIndexes[srcNodeOrdinal + 1]; const srcNodeIndex = srcNodeOrdinal * nodeFieldCount; for (let edgeIndex = firstEdgeIndex; edgeIndex < nextNodeFirstEdgeIndex; edgeIndex += edgeFieldsCount) { const toNodeIndex = containmentEdges[edgeIndex + edgeToNodeOffset]; if (toNodeIndex % nodeFieldCount) { throw new Error('Invalid toNodeIndex ' + toNodeIndex); } const firstRetainerSlotIndex = firstRetainerIndex[toNodeIndex / nodeFieldCount]; const nextUnusedRetainerSlotIndex = firstRetainerSlotIndex + (--retainingNodes[firstRetainerSlotIndex]); retainingNodes[nextUnusedRetainerSlotIndex] = srcNodeIndex; retainingEdges[nextUnusedRetainerSlotIndex] = edgeIndex; } } } abstract createNode(_nodeIndex?: number): HeapSnapshotNode; abstract createEdge(_edgeIndex: number): JSHeapSnapshotEdge; abstract createRetainingEdge(_retainerIndex: number): JSHeapSnapshotRetainerEdge; private allNodes(): HeapSnapshotNodeIterator { return new HeapSnapshotNodeIterator(this.rootNode()); } rootNode(): HeapSnapshotNode { return this.createNode(this.rootNodeIndexInternal); } get rootNodeIndex(): number { return this.rootNodeIndexInternal; } get totalSize(): number { return this.rootNode().retainedSize(); } private getDominatedIndex(nodeIndex: number): number { if (nodeIndex % this.nodeFieldCount) { throw new Error('Invalid nodeIndex: ' + nodeIndex); } return this.firstDominatedNodeIndex[nodeIndex / this.nodeFieldCount]; } private createFilter(nodeFilter: HeapSnapshotModel.HeapSnapshotModel.NodeFilter): ((arg0: HeapSnapshotNode) => boolean)|undefined { const minNodeId = nodeFilter.minNodeId; const maxNodeId = nodeFilter.maxNodeId; const allocationNodeId = nodeFilter.allocationNodeId; let filter; if (typeof allocationNodeId === 'number') { filter = this.createAllocationStackFilter(allocationNodeId); if (!filter) { throw new Error('Unable to create filter'); } // @ts-ignore key can be added as a static property filter.key = 'AllocationNodeId: ' + allocationNodeId; } else if (typeof minNodeId === 'number' && typeof maxNodeId === 'number') { filter = this.createNodeIdFilter(minNodeId, maxNodeId); // @ts-ignore key can be added as a static property filter.key = 'NodeIdRange: ' + minNodeId + '..' + maxNodeId; } return filter; } search( searchConfig: HeapSnapshotModel.HeapSnapshotModel.SearchConfig, nodeFilter: HeapSnapshotModel.HeapSnapshotModel.NodeFilter): number[] { const query = searchConfig.query; function filterString(matchedStringIndexes: Set<number>, string: string, index: number): Set<number> { if (string.indexOf(query) !== -1) { matchedStringIndexes.add(index); } return matchedStringIndexes; } const regexp = searchConfig.isRegex ? new RegExp(query) : Platform.StringUtilities.createPlainTextSearchRegex(query, 'i'); function filterRegexp(matchedStringIndexes: Set<number>, string: string, index: number): Set<number> { if (regexp.test(string)) { matchedStringIndexes.add(index); } return matchedStringIndexes; } const stringFilter = (searchConfig.isRegex || !searchConfig.caseSensitive) ? filterRegexp : filterString; const stringIndexes = this.strings.reduce(stringFilter, new Set()); if (!stringIndexes.size) { return []; } const filter = this.createFilter(nodeFilter); const nodeIds = []; const nodesLength = this.nodes.length; const nodes = this.nodes; const nodeNameOffset = this.nodeNameOffset; const nodeIdOffset = this.nodeIdOffset; const nodeFieldCount = this.nodeFieldCount; const node = this.rootNode(); for (let nodeIndex = 0; nodeIndex < nodesLength; nodeIndex += nodeFieldCount) { node.nodeIndex = nodeIndex; if (filter && !filter(node)) { continue; } if (stringIndexes.has(nodes[nodeIndex + nodeNameOffset])) { nodeIds.push(nodes[nodeIndex + nodeIdOffset]); } } return nodeIds; } aggregatesWithFilter(nodeFilter: HeapSnapshotModel.HeapSnapshotModel.NodeFilter): {[x: string]: HeapSnapshotModel.HeapSnapshotModel.Aggregate} { const filter = this.createFilter(nodeFilter); // @ts-ignore key is added in createFilter const key = filter ? filter.key : 'allObjects'; return this.getAggregatesByClassName(false, key, filter); } private createNodeIdFilter(minNodeId: number, maxNodeId: number): (arg0: HeapSnapshotNode) => boolean { function nodeIdFilter(node: HeapSnapshotNode): boolean { const id = node.id(); return id > minNodeId && id <= maxNodeId; } return nodeIdFilter; } private createAllocationStackFilter(bottomUpAllocationNodeId: number): ((arg0: HeapSnapshotNode) => boolean)|undefined { if (!this.#allocationProfile) { throw new Error('No Allocation Profile provided'); } const traceIds = this.#allocationProfile.traceIds(bottomUpAllocationNodeId); if (!traceIds.length) { return undefined; } const set: {[x: number]: boolean} = {}; for (let i = 0; i < traceIds.length; i++) { set[traceIds[i]] = true; } function traceIdFilter(node: HeapSnapshotNode): boolean { return Boolean(set[node.traceNodeId()]); } return traceIdFilter; } getAggregatesByClassName(sortedIndexes: boolean, key?: string, filter?: ((arg0: HeapSnapshotNode) => boolean)): {[x: string]: HeapSnapshotModel.HeapSnapshotModel.Aggregate} { const aggregates = this.buildAggregates(filter); let aggregatesByClassName; if (key && this.#aggregates[key]) { aggregatesByClassName = this.#aggregates[key]; } else { this.calculateClassesRetainedSize(aggregates.aggregatesByClassIndex, filter); aggregatesByClassName = aggregates.aggregatesByClassName; if (key) { this.#aggregates[key] = aggregatesByClassName; } } if (sortedIndexes && (!key || !this.#aggregatesSortedFlags[key])) { this.sortAggregateIndexes(aggregatesByClassName); if (key) { this.#aggregatesSortedFlags[key] = sortedIndexes; } } return aggregatesByClassName as { [x: string]: HeapSnapshotModel.HeapSnapshotModel.Aggregate, }; } allocationTracesTops(): HeapSnapshotModel.HeapSnapshotModel.SerializedAllocationNode[] { return this.#allocationProfile.serializeTraceTops(); } allocationNodeCallers(nodeId: number): HeapSnapshotModel.HeapSnapshotModel.AllocationNodeCallers { return this.#allocationProfile.serializeCallers(nodeId); } allocationStack(nodeIndex: number): HeapSnapshotModel.HeapSnapshotModel.AllocationStackFrame[]|null { const node = this.createNode(nodeIndex); const allocationNodeId = node.traceNodeId(); if (!allocationNodeId) { return null; } return this.#allocationProfile.serializeAllocationStack(allocationNodeId); } aggregatesForDiff(): {[x: string]: HeapSnapshotModel.HeapSnapshotModel.AggregateForDiff} { if (this.#aggregatesForDiffInternal) { return this.#aggregatesForDiffInternal; } const aggregatesByClassName = this.getAggregatesByClassName(true, 'allObjects'); this.#aggregatesForDiffInternal = {}; const node = this.createNode(); for (const className in aggregatesByClassName) { const aggregate = aggregatesByClassName[className]; const indexes = aggregate.idxs; const ids = new Array(indexes.length); const selfSizes = new Array(indexes.length); for (let i = 0; i < indexes.length; i++) { node.nodeIndex = indexes[i]; ids[i] = node.id(); selfSizes[i] = node.selfSize(); } this.#aggregatesForDiffInternal[className] = {indexes: indexes, ids: ids, selfSizes: selfSizes}; } return this.#aggregatesForDiffInternal; } isUserRoot(_node: HeapSnapshotNode): boolean { return true; } calculateDistances(filter?: ((arg0: HeapSnapshotNode, arg1: HeapSnapshotEdge) => boolean)): void { const nodeCount = this.nodeCount; const distances = this.nodeDistances; const noDistance = this.#noDistance; for (let i = 0; i < nodeCount; ++i) { distances[i] = noDistance; } const nodesToVisit = new Uint32Array(this.nodeCount); let nodesToVisitLength = 0; // BFS for user root objects. for (let iter = this.rootNode().edges(); iter.hasNext(); iter.next()) { const node = iter.edge.node(); if (this.isUserRoot(node)) { distances[node.ordinal()] = 1; nodesToVisit[nodesToVisitLength++] = node.nodeIndex; } } this.bfs(nodesToVisit, nodesToVisitLength, distances, filter); // BFS for objects not reached from user roots. distances[this.rootNode().ordinal()] = nodesToVisitLength > 0 ? HeapSnapshotModel.HeapSnapshotModel.baseSystemDistance : 0; nodesToVisit[0] = this.rootNode().nodeIndex; nodesToVisitLength = 1; this.bfs(nodesToVisit, nodesToVisitLength, distances, filter); } private bfs( nodesToVisit: Uint32Array, nodesToVisitLength: number, distances: Int32Array, filter?: ((arg0: HeapSnapshotNode, arg1: HeapSnapshotEdge) => boolean)): void { // Preload fields into local variables for better performance. const edgeFieldsCount = this.edgeFieldsCount; const nodeFieldCount = this.nodeFieldCount; const containmentEdges = this.containmentEdges; const firstEdgeIndexes = this.firstEdgeIndexes; const edgeToNodeOffset = this.edgeToNodeOffset; const edgeTypeOffset = this.edgeTypeOffset; const nodeCount = this.nodeCount; const edgeWeakType = this.edgeWeakType; const noDistance = this.#noDistance; let index = 0; const edge = this.createEdge(0); const node = this.createNode(0); while (index < nodesToVisitLength) { const nodeIndex = nodesToVisit[index++]; // shift generates too much garbage. const nodeOrdinal = nodeIndex / nodeFieldCount; const distance = distances[nodeOrdinal] + 1; const firstEdgeIndex = firstEdgeIndexes[nodeOrdinal]; const edgesEnd = firstEdgeIndexes[nodeOrdinal + 1]; node.nodeIndex = nodeIndex; for (let edgeIndex = firstEdgeIndex; edgeIndex < edgesEnd; edgeIndex += edgeFieldsCount) { const edgeType = containmentEdges[edgeIndex + edgeTypeOffset]; if (edgeType === edgeWeakType) { continue; } const childNodeIndex = containmentEdges[edgeIndex + edgeToNodeOffset]; const childNodeOrdinal = childNodeIndex / nodeFieldCount; if (distances[childNodeOrdinal] !== noDistance) { continue; } edge.edgeIndex = edgeIndex; if (filter && !filter(node, edge)) { continue; } distances[childNodeOrdinal] = distance; nodesToVisit[nodesToVisitLength++] = childNodeIndex; } } if (nodesToVisitLength > nodeCount) { throw new Error( 'BFS failed. Nodes to visit (' + nodesToVisitLength + ') is more than nodes count (' + nodeCount + ')'); } } private buildAggregates(filter?: ((arg0: HeapSnapshotNode) => boolean)): {aggregatesByClassName: {[x: string]: AggregatedInfo}, aggregatesByClassIndex: {[x: number]: AggregatedInfo}} { const aggregates: {[x: number]: AggregatedInfo} = {}; const aggregatesByClassName: {[x: string]: AggregatedInfo} = {}; const classIndexes = []; const nodes = this.nodes; const nodesLength = nodes.length; const nodeNativeType = this.nodeNativeType; const nodeFieldCount = this.nodeFieldCount; const selfSizeOffset = this.nodeSelfSizeOffset; const nodeTypeOffset = this.nodeTypeOffset; const node = this.rootNode(); const nodeDistances = this.nodeDistances; for (let nodeIndex = 0; nodeIndex < nodesLength; nodeIndex += nodeFieldCount) { node.nodeIndex = nodeIndex; if (filter && !filter(node)) { continue; } const selfSize = nodes[nodeIndex + selfSizeOffset]; if (!selfSize && nodes[nodeIndex + nodeTypeOffset] !== nodeNativeType) { continue; } const classIndex = node.classIndex(); const nodeOrdinal = nodeIndex / nodeFieldCount; const distance = nodeDistances[nodeOrdinal]; if (!(classIndex in aggregates)) { const nodeType = node.type(); const nameMatters = nodeType === 'object' || nodeType === 'native'; const value = { count: 1, distance: distance, self: selfSize, maxRet: 0, type: nodeType, name: nameMatters ? node.name() : null, idxs: [nodeIndex], }; aggregates[classIndex] = value; classIndexes.push(classIndex); aggregatesByClassName[node.className()] = value; } else { const clss = aggregates[classIndex]; if (!clss) { continue; } clss.distance = Math.min(clss.distance, distance); ++clss.count; clss.self += selfSize; clss.idxs.push(nodeIndex); } } // Shave off provisionally allocated space. for (let i = 0, l = classIndexes.length; i < l; ++i) { const classIndex = classIndexes[i]; const classIndexValues = aggregates[classIndex]; if (!classIndexValues) { continue; } classIndexValues.idxs = classIndexValues.idxs.slice(); } return {aggregatesByClassName: aggregatesByClassName, aggregatesByClassIndex: aggregates}; } private calculateClassesRetainedSize( aggregates: {[x: number]: AggregatedInfo}, filter?: ((arg0: HeapSnapshotNode) => boolean)): void { const rootNodeIndex = this.rootNodeIndexInternal; const node = this.createNode(rootNodeIndex); const list = [rootNodeIndex]; const sizes = [-1]; const classes = []; const seenClassNameIndexes = new Map<number, boolean>(); const nodeFieldCount = this.nodeFieldCount; const nodeTypeOffset = this.nodeTypeOffset; const nodeNativeType = this.nodeNativeType; const dominatedNodes = this.dominatedNodes; const nodes = this.nodes; const firstDominatedNodeIndex = this.firstDominatedNodeIndex; while (list.length) { const nodeIndex = (list.pop() as number); node.nodeIndex = nodeIndex; let classIndex = node.classIndex(); const seen = Boolean(seenClassNameIndexes.get(classIndex)); const nodeOrdinal = nodeIndex / nodeFieldCount; const dominatedIndexFrom = firstDominatedNodeIndex[nodeOrdinal]; const dominatedIndexTo = firstDominatedNodeIndex[nodeOrdinal + 1]; if (!seen && (!filter || filter(node)) && (node.selfSize() || nodes[nodeIndex + nodeTypeOffset] === nodeNativeType)) { aggregates[classIndex].maxRet += node.retainedSize(); if (dominatedIndexFrom !== dominatedIndexTo) { seenClassNameIndexes.set(classIndex, true); sizes.push(list.length); classes.push(classIndex); } } for (let i = dominatedIndexFrom; i < dominatedIndexTo; i++) { list.push(dominatedNodes[i]); } const l = list.length; while (sizes[sizes.length - 1] === l) { sizes.pop(); classIndex = (classes.pop() as number); seenClassNameIndexes.set(classIndex, false); } } } private sortAggregateIndexes(aggregates: {[x: string]: AggregatedInfo}): void { const nodeA = this.createNode(); const nodeB = this.createNode(); for (const clss in aggregates) { aggregates[clss].idxs.sort((idxA, idxB) => { nodeA.nodeIndex = idxA; nodeB.nodeIndex = idxB; return nodeA.id() < nodeB.id() ? -1 : 1; }); } } /** * The function checks is the edge should be considered during building * postorder iterator and dominator tree. */ private isEssentialEdge(nodeIndex: number, edgeType: number): boolean { // Shortcuts at the root node have special meaning of marking user global objects. return edgeType !== this.edgeWeakType && (edgeType !== this.edgeShortcutType || nodeIndex === this.rootNodeIndexInternal); } private buildPostOrderIndex(): {postOrderIndex2NodeOrdinal: Uint32Array, nodeOrdinal2PostOrderIndex: Uint32Array} { const nodeFieldCount = this.nodeFieldCount; const nodeCount = this.nodeCount; const rootNodeOrdinal = this.rootNodeIndexInternal / nodeFieldCount; const edgeFieldsCount = this.edgeFieldsCount; const edgeTypeOffset = this.edgeTypeOffset; const edgeToNodeOffset = this.edgeToNodeOffset; const firstEdgeIndexes = this.firstEdgeIndexes; const containmentEdges = this.containmentEdges; const mapAndFlag = this.userObjectsMapAndFlag(); const flags = mapAndFlag ? mapAndFlag.map : null; const flag = mapAndFlag ? mapAndFlag.flag : 0; const stackNodes = new Uint32Array(nodeCount); const stackCurrentEdge = new Uint32Array(nodeCount); const postOrderIndex2NodeOrdinal = new Uint32Array(nodeCount); const nodeOrdinal2PostOrderIndex = new Uint32Array(nodeCount); const visited = new Uint8Array(nodeCount); let postOrderIndex = 0; let stackTop = 0; stackNodes[0] = rootNodeOrdinal; stackCurrentEdge[0] = firstEdgeIndexes[rootNodeOrdinal]; visited[rootNodeOrdinal] = 1; let iteration = 0; while (true) { ++iteration; while (stackTop >= 0) { const nodeOrdinal = stackNodes[stackTop]; const edgeIndex = stackCurrentEdge[stackTop]; const edgesEnd = firstEdgeIndexes[nodeOrdinal + 1]; if (edgeIndex < edgesEnd) { stackCurrentEdge[stackTop] += edgeFieldsCount; const edgeType = containmentEdges[edgeIndex + edgeTypeOffset]; if (!this.isEssentialEdge(nodeOrdinal * nodeFieldCount, edgeType)) { continue; } const childNodeIndex = containmentEdges[edgeIndex + edgeToNodeOffset]; const childNodeOrdinal = childNodeIndex / nodeFieldCount; if (visited[childNodeOrdinal]) { continue; } const nodeFlag = !flags || (flags[nodeOrdinal] & flag); const childNodeFlag = !flags || (flags[childNodeOrdinal] & flag); // We are skipping the edges from non-page-owned nodes to page-owned nodes. // Otherwise the dominators for the objects that also were retained by debugger would be affected. if (nodeOrdinal !== rootNodeOrdinal && childNodeFlag && !nodeFlag) { continue; } ++stackTop; stackNodes[stackTop] = childNodeOrdinal; stackCurrentEdge[stackTop] = firstEdgeIndexes[childNodeOrdinal]; visited[childNodeOrdinal] = 1; } else { // Done with all the node children nodeOrdinal2PostOrderIndex[nodeOrdinal] = postOrderIndex; postOrderIndex2NodeOrdinal[postOrderIndex++] = nodeOrdinal; --stackTop; } } if (postOrderIndex === nodeCount || iteration > 1) { break; } const errors = new HeapSnapshotProblemReport(`Heap snapshot: ${ nodeCount - postOrderIndex} nodes are unreachable from the root. Following nodes have only weak retainers:`); const dumpNode = this.rootNode(); // Remove root from the result (last node in the array) and put it at the bottom of the stack so that it is // visited after all orphan nodes and their subgraphs. --postOrderIndex; stackTop = 0; stackNodes[0] = rootNodeOrdinal; stackCurrentEdge[0] = firstEdgeIndexes[rootNodeOrdinal + 1]; // no need to reiterate its edges for (let i = 0; i < nodeCount; ++i) { if (visited[i] || !this.hasOnlyWeakRetainers(i)) { continue; } // Add all nodes that have only weak retainers to traverse their subgraphs. stackNodes[++stackTop] = i; stackCurrentEdge[stackTop] = firstEdgeIndexes[i]; visited[i] = 1; dumpNode.nodeIndex = i * nodeFieldCount; const retainers = []; for (let it = dumpNode.retainers(); it.hasNext(); it.next()) { retainers.push(`${it.item().node().name()}@${it.item().node().id()}.${it.item().name()}`); } errors.addError(`${dumpNode.name()} @${dumpNode.id()} weak retainers: ${retainers.join(', ')}`); } console.warn(errors.toString()); } // If we already processed all orphan nodes that have only weak retainers and still have some orphans... if (postOrderIndex !== nodeCount) { const errors = new HeapSnapshotProblemReport( 'Still found ' + (nodeCount - postOrderIndex) + ' unreachable nodes in heap snapshot:'); const dumpNode = this.rootNode(); // Remove root from the result (last node in the array) and put it at the bottom of the stack so that it is // visited after all orphan nodes and their subgraphs. --postOrderIndex; for (let i = 0; i < nodeCount; ++i) { if (visited[i]) { continue; } dumpNode.nodeIndex = i * nodeFieldCount; errors.addError(dumpNode.name() + ' @' + dumpNode.id()); // Fix it by giving the node a postorder index anyway. nodeOrdinal2PostOrderIndex[i] = postOrderIndex; postOrderIndex2NodeOrdinal[postOrderIndex++] = i; } nodeOrdinal2PostOrderIndex[rootNodeOrdinal] = postOrderIndex; postOrderIndex2NodeOrdinal[postOrderIndex++] = rootNodeOrdinal; console.warn(errors.toString()); } return { postOrderIndex2NodeOrdinal: postOrderIndex2NodeOrdinal, nodeOrdinal2PostOrderIndex: nodeOrdinal2PostOrderIndex, }; } private hasOnlyWeakRetainers(nodeOrdinal: number): boolean { const edgeTypeOffset = this.edgeTypeOffset; const edgeWeakType = this.edgeWeakType; const edgeShortcutType = this.edgeShortcutType; const containmentEdges = this.containmentEdges; const retainingEdges = this.retainingEdges; const beginRetainerIndex = this.firstRetainerIndex[nodeOrdinal]; const endRetainerIndex = this.firstRetainerIndex[nodeOrdinal + 1]; for (let retainerIndex = beginRetainerIndex; retainerIndex < endRetainerIndex; ++retainerIndex) { const retainerEdgeIndex = retainingEdges[retainerIndex]; const retainerEdgeType = containmentEdges[retainerEdgeIndex + edgeTypeOffset]; if (retainerEdgeType !== edgeWeakType && retainerEdgeType !== edgeShortcutType) { return false; } } return true; } // The algorithm is based on the article: // K. Cooper, T. Harvey and K. Kennedy "A Simple, Fast Dominance Algorithm" // Softw. Pract. Exper. 4 (2001), pp. 1-10. private buildDominatorTree(postOrderIndex2NodeOrdinal: Uint32Array, nodeOrdinal2PostOrderIndex: Uint32Array): Uint32Array { const nodeFieldCount = this.nodeFieldCount; const firstRetainerIndex = this.firstRetainerIndex; const retainingNodes = this.retainingNodes; const retainingEdges = this.retainingEdges; const edgeFieldsCount = this.edgeFieldsCount; const edgeTypeOffset = this.edgeTypeOffset; const edgeToNodeOffset = this.edgeToNodeOffset; const firstEdgeIndexes = this.firstEdgeIndexes; const containmentEdges = this.containmentEdges; const rootNodeIndex = this.rootNodeIndexInternal; const mapAndFlag = this.userObjectsMapAndFlag(); const flags = mapAndFlag ? mapAndFlag.map : null; const flag = mapAndFlag ? mapAndFlag.flag : 0; const nodesCount = postOrderIndex2NodeOrdinal.length; const rootPostOrderedIndex = nodesCount - 1; const noEntr