tree-utils.ts 7.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175
  1. /**
  2. * Copyright (c) 2023 mol* contributors, licensed under MIT, See LICENSE file for more info.
  3. *
  4. * @author Adam Midlik <midlik@gmail.com>
  5. */
  6. import { canonicalJsonString } from '../../../../mol-util/json';
  7. import { DefaultsForTree, Kind, SubTree, SubTreeOfKind, Tree, TreeFor, TreeSchema, TreeSchemaWithAllRequired, getParams } from './tree-schema';
  8. /** Run DFS (depth-first search) algorithm on a rooted tree.
  9. * Runs `visit` function when a node is discovered (before visiting any descendants).
  10. * Runs `postVisit` function when leaving a node (after all descendants have been visited). */
  11. export function dfs<TTree extends Tree>(root: TTree, visit?: (node: SubTree<TTree>, parent?: SubTree<TTree>) => any, postVisit?: (node: SubTree<TTree>, parent?: SubTree<TTree>) => any) {
  12. return _dfs<SubTree<TTree>>(root, undefined, visit, postVisit);
  13. }
  14. function _dfs<TTree extends Tree>(root: TTree, parent: SubTree<TTree> | undefined, visit?: (node: SubTree<TTree>, parent?: SubTree<TTree>) => any, postVisit?: (node: SubTree<TTree>, parent?: SubTree<TTree>) => any) {
  15. if (visit) visit(root, parent);
  16. for (const child of root.children ?? []) {
  17. _dfs<SubTree<TTree>>(child, root, visit, postVisit);
  18. }
  19. if (postVisit) postVisit(root, parent);
  20. }
  21. /** Convert a tree into a pretty-printed string. */
  22. export function treeToString(tree: Tree) {
  23. let level = 0;
  24. const lines: string[] = [];
  25. dfs(tree, node => lines.push(' '.repeat(level++) + `- ${node.kind} ${formatObject(node.params ?? {})}`), node => level--);
  26. return lines.join('\n');
  27. }
  28. /** Convert object to a human-friendly string (similar to JSON.stringify but without quoting keys) */
  29. export function formatObject(obj: {} | undefined): string {
  30. if (!obj) return 'undefined';
  31. return JSON.stringify(obj).replace(/,("\w+":)/g, ', $1').replace(/"(\w+)":/g, '$1: ');
  32. }
  33. /** Create a copy of a tree node, ignoring children. */
  34. export function copyNodeWithoutChildren<TTree extends Tree>(node: TTree): TTree {
  35. return {
  36. kind: node.kind,
  37. params: node.params ? { ...node.params } : undefined,
  38. } as TTree;
  39. }
  40. /** Create a copy of a tree node, including a shallow copy of children. */
  41. export function copyNode<TTree extends Tree>(node: TTree): TTree {
  42. return {
  43. kind: node.kind,
  44. params: node.params ? { ...node.params } : undefined,
  45. children: node.children ? [...node.children] : undefined,
  46. } as TTree;
  47. }
  48. /** Create a deep copy of a tree. */
  49. export function copyTree<T extends Tree>(root: T): T {
  50. return convertTree(root, {}) as T;
  51. }
  52. /** Set of rules for converting a tree of one schema into a different schema.
  53. * Each rule defines how to convert a node of a specific kind, e.g.
  54. * `{A: node => [], B: node => [{kind: 'X',...}], C: node => [{kind: 'Y',...}, {kind: 'Z',...}]}`:
  55. * nodes of kind `A` will be deleted (their children moved to parent),
  56. * nodes of kind `B` will be converted to kind `X`,
  57. * nodes of kind `C` will be converted to `Y` with a child `Z` (original children moved to `Z`),
  58. * nodes of other kinds will just be copied. */
  59. export type ConversionRules<A extends Tree, B extends Tree> = {
  60. [kind in Kind<SubTree<A>>]?: (node: SubTreeOfKind<A, kind>, parent?: SubTree<A>) => SubTree<B>[]
  61. };
  62. /** Apply a set of conversion rules to a tree to change to a different schema. */
  63. export function convertTree<A extends Tree, B extends Tree>(root: A, conversions: ConversionRules<A, B>): SubTree<B> {
  64. const mapping = new Map<SubTree<A>, SubTree<B>>();
  65. let convertedRoot: SubTree<B>;
  66. dfs<A>(root, (node, parent) => {
  67. const conversion = conversions[node.kind as (typeof node)['kind']] as ((n: typeof node, p?: SubTree<A>) => SubTree<B>[]) | undefined;
  68. if (conversion) {
  69. const convertidos = conversion(node, parent);
  70. if (!parent && convertidos.length === 0) throw new Error('Cannot convert root to empty path');
  71. let convParent = parent ? mapping.get(parent) : undefined;
  72. for (const conv of convertidos) {
  73. if (convParent) {
  74. (convParent.children ??= []).push(conv);
  75. } else {
  76. convertedRoot = conv;
  77. }
  78. convParent = conv;
  79. }
  80. mapping.set(node, convParent!);
  81. } else {
  82. const converted = copyNodeWithoutChildren(node);
  83. if (parent) {
  84. (mapping.get(parent)!.children ??= []).push(converted);
  85. } else {
  86. convertedRoot = converted;
  87. }
  88. mapping.set(node, converted);
  89. }
  90. });
  91. return convertedRoot!;
  92. }
  93. /** Create a copy of the tree where twins (siblings of the same kind with the same params) are merged into one node.
  94. * Applies only to the node kinds listed in `condenseNodes` (or all if undefined) except node kinds in `skipNodes`. */
  95. export function condenseTree<T extends Tree>(root: T, condenseNodes?: Set<Kind<Tree>>, skipNodes?: Set<Kind<Tree>>): T {
  96. const map = new Map<string, SubTree<T>>();
  97. const result = copyTree(root);
  98. dfs<T>(result, node => {
  99. map.clear();
  100. const newChildren: SubTree<T>[] = [];
  101. for (const child of node.children ?? []) {
  102. let twin: SubTree<T> | undefined = undefined;
  103. const doApply = (!condenseNodes || condenseNodes.has(child.kind)) && !skipNodes?.has(child.kind);
  104. if (doApply) {
  105. const key = child.kind + canonicalJsonString(getParams(child));
  106. twin = map.get(key);
  107. if (!twin) map.set(key, child);
  108. }
  109. if (twin) {
  110. (twin.children ??= []).push(...child.children ?? []);
  111. } else {
  112. newChildren.push(child as SubTree<T>);
  113. }
  114. }
  115. node.children = newChildren;
  116. });
  117. return result;
  118. }
  119. /** Create a copy of the tree where missing optional params for each node are added based on `defaults`. */
  120. export function addDefaults<S extends TreeSchema>(tree: TreeFor<S>, defaults: DefaultsForTree<S>): TreeFor<TreeSchemaWithAllRequired<S>> {
  121. const rules: ConversionRules<TreeFor<S>, TreeFor<S>> = {};
  122. for (const kind in defaults) {
  123. rules[kind] = node => [{ kind: node.kind, params: { ...defaults[kind], ...node.params } } as any];
  124. }
  125. return convertTree(tree, rules) as any;
  126. }
  127. /** Resolve any URI params in a tree, in place. URI params are those listed in `uriParamNames`.
  128. * Relative URIs are treated as relative to `baseUri`, which can in turn be relative to the window URL (if available). */
  129. export function resolveUris<T extends Tree>(tree: T, baseUri: string, uriParamNames: string[]): void {
  130. dfs(tree, node => {
  131. const params = node.params as Record<string, any> | undefined;
  132. if (!params) return;
  133. for (const name in params) {
  134. if (uriParamNames.includes(name)) {
  135. const uri = params[name];
  136. if (typeof uri === 'string') {
  137. params[name] = resolveUri(uri, baseUri, windowUrl());
  138. }
  139. }
  140. }
  141. });
  142. }
  143. /** Resolve a sequence of URI references (relative URIs), where each reference is either absolute or relative to the next one
  144. * (i.e. the last one is the base URI). Skip any `undefined`.
  145. * E.g. `resolveUri('./unexpected.png', '/spanish/inquisition/expectations.html', 'https://example.org/spam/spam/spam')`
  146. * returns `'https://example.org/spanish/inquisition/unexpected.png'`. */
  147. function resolveUri(...refs: (string | undefined)[]): string | undefined {
  148. let result: string | undefined = undefined;
  149. for (const ref of refs.reverse()) {
  150. if (ref !== undefined) {
  151. if (result === undefined) result = ref;
  152. else result = new URL(ref, result).href;
  153. }
  154. }
  155. return result;
  156. }
  157. /** Return URL of the current page when running in a browser; `undefined` when running in Node. */
  158. function windowUrl(): string | undefined {
  159. return (typeof window !== 'undefined') ? window.location.href : undefined;
  160. }