Tree: Add debug node formatting for browser and NodeJS (#21895)

## Description

Implement browser and NodeJS specific debug formatters so TreeNodes show
their actual type and content instead of just "Proxy" and some junk.

This should be considered an early MVP: the experience isn't great but
its an improvement and a starting place to build something nicer.
This commit is contained in:
Craig Macomber (Microsoft) 2024-07-19 10:54:08 -07:00 коммит произвёл GitHub
Родитель 45e1b6241f
Коммит 0d197fefec
Не найден ключ, соответствующий данной подписи
Идентификатор ключа GPG: B5690EEEBB952194
2 изменённых файлов: 164 добавлений и 1 удалений

Просмотреть файл

@ -0,0 +1,8 @@
---
"fluid-framework": minor
"@fluidframework/tree": minor
---
New feature: Debug visualizers for TreeNodes in NodeJS and browsers
TreeNodes now have custom debug visualizers to improve the debug experience in NodeJS and in browsers. Note that custom formatters must be enabled in the browser developer tools for that visualizer to be used.

Просмотреть файл

@ -9,6 +9,7 @@ import { assert } from "@fluidframework/core-utils/internal";
import {
NodeKind,
type TreeNodeSchema,
type TreeNodeSchemaClass,
type WithType,
typeNameSymbol,
} from "./schemaTypes.js";
@ -23,7 +24,7 @@ import { isTreeNode } from "./proxies.js";
import { UsageError } from "@fluidframework/telemetry-utils/internal";
import { getFlexSchema } from "./toFlexSchema.js";
import { fail } from "../util/index.js";
import { createKernel, setFlexNode } from "./proxyBinding.js";
import { getFlexNode, createKernel, setFlexNode } from "./proxyBinding.js";
import { tryGetSchema } from "./treeNodeApi.js";
/**
@ -399,3 +400,157 @@ export function toFlexTreeNode(node: InternalTreeNode): FlexTreeNode {
assert(isFlexTreeNode(node), 0x963 /* Invalid InternalTreeNode */);
return node;
}
// #region NodeJS custom inspect for TreeNodes.
/**
* Used to customize "inspect" behavior in NodeJS.
* See https://nodejs.org/api/util.html#utilinspectcustom for details.
*
* VS-Code's debugger also uses this to inspect objects,
* see https://github.com/microsoft/vscode-js-debug/blob/64df2686c92bac402909dee5c3c389bbb7a81f6d/src/adapter/templates/getStringyProps.ts#L11 for details.
*/
const customInspectSymbol = Symbol.for("nodejs.util.inspect.custom");
/**
* Node inspecting function for use with {@link customInspectSymbol}.
*/
function inspectNodeFunction(
this: TreeNodeValid<unknown>,
depth: number,
options?: unknown,
inspect?: unknown,
): unknown {
// TODO: replicated from tryGetSchema to avoid cycle.
// This case could be optimized, for example by placing the simple schema in a symbol on tree nodes.
const schema = tryGetSimpleNodeSchema(getFlexNode(this).schema) as TreeNodeSchemaClass;
const title = `${schema.name}: ${NodeKind[schema.kind]} Node (${schema.identifier})`;
if (depth < 2) {
const short = shortContent(this);
if (short !== undefined) {
return `${title} ${short}`;
}
return title;
}
const content = `${title} ${JSON.stringify(this)}`;
return content;
}
/**
* If the node has no items, a short JSON string for it.
*/
function shortContent(node: TreeNodeValid<unknown>): string | undefined {
if (Object.values(node).length === 0) {
return JSON.stringify(node);
}
return undefined;
}
/**
* Add inherited non-enumerable symbol for NodeJS inspection to all nodes.
*
* See {@link customInspectSymbol}.
*/
Object.defineProperty(TreeNodeValid.prototype, customInspectSymbol, {
value: inspectNodeFunction,
enumerable: false,
});
// #endregion
// #region Browser custom debug format for TreeNodes
// This section has side-effects, so including it in this file ensures its loaded whenever TreeNodes could exist.
// Supported in at least Chrome and FireFox, more details at https://firefox-source-docs.mozilla.org/devtools-user/custom_formatters/index.html
// For this to work the browser's dev tools generally have to "Enable custom formatters".
// This formatter is inspired by https://github.com/andrewdavey/immutable-devtools/blob/master/src/createFormatters.js which provides a similar formatter for the immutable.js library.
const globals = typeof window === "undefined" ? globalThis : window;
const formatters = ((
globals as { devtoolsFormatters?: DevtoolsFormatter.DevtoolsFormatter[] }
).devtoolsFormatters ??= []);
const nodeFormatter: DevtoolsFormatter.DevtoolsFormatter = {
header(object, config) {
if (isTreeNode(object)) {
return ["span", `${inspectNodeFunction.call(object, 1)}`];
}
return null;
},
body(object, config): DevtoolsFormatter.Item {
const children: DevtoolsFormatter.Item[] = [];
for (const [key, value] of Object.entries(object as TreeNode)) {
children.push(["li", ["span", `${key}: `], formattedReference(value)]);
}
// TODO:
// for array nodes, this isn't great since (at least in FireFox) the list items show up with a prefixed number starting from 1.
// This looks messy when followed by the array index.
// Find a way to hide the list index.
// { style: 'list-style-type: none` } did not seem to work.
return ["ol", ...children];
},
hasBody(object, config) {
return shortContent(object as TreeNodeValid<undefined>) === undefined;
},
};
function formattedReference(
object: unknown,
config?: DevtoolsFormatter.ObjectConfig,
): DevtoolsFormatter.Item {
if (typeof object === "undefined") {
return ["span", "undefined"];
} else if (object === "null") {
return ["span", "null"];
}
return ["object", { object, config }];
}
formatters.push(nodeFormatter);
// #endregion
// These types are based on https://github.com/BenjaminAster/Better-TypeScript/blob/main/types/devtools-formatters.d.ts
// however the original package causes multiple compile errors due to some of its other types it used, so the relevant part has been extracted and adjusted to better match our conventions.
declare namespace DevtoolsFormatter {
type ObjectConfig = Record<string | symbol, unknown>;
type ElementTagName = "div" | "span" | "ol" | "li" | "table" | "tr" | "td";
type ElementTemplate = StyledElementTemplate | UnstyledElementTemplate;
type StyledElementTemplate = readonly [
ElementTagName,
{
style?: string;
},
...Item[],
];
type UnstyledElementTemplate = readonly [ElementTagName, ...Item[]];
type ObjectReference = readonly [
"object",
{
object: unknown;
config?: ObjectConfig;
},
];
type Item = string | ElementTemplate | ObjectReference;
interface DevtoolsFormatter {
header(
object?: unknown,
config?: ObjectConfig,
// eslint-disable-next-line @rushstack/no-new-null
): Item | null;
hasBody(object?: unknown, config?: ObjectConfig): boolean;
body(object?: unknown, config?: ObjectConfig): Item;
}
}