markdown-patch 0.1.1 → 0.1.2

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (39) hide show
  1. package/README.md +111 -0
  2. package/dist/cli.js +108 -0
  3. package/{src/constants.ts → dist/constants.js} +7 -8
  4. package/dist/debug.js +50 -0
  5. package/dist/index.js +1 -0
  6. package/dist/map.js +144 -0
  7. package/dist/patch.js +191 -0
  8. package/dist/tests/map.test.js +202 -0
  9. package/dist/tests/patch.test.js +222 -0
  10. package/dist/types.js +1 -0
  11. package/package.json +7 -2
  12. package/.tool-versions +0 -1
  13. package/.vscode/launch.json +0 -21
  14. package/document.md +0 -11
  15. package/document.mdpatch.json +0 -8
  16. package/jest.config.ts +0 -9
  17. package/src/cli.ts +0 -88
  18. package/src/debug.ts +0 -75
  19. package/src/index.ts +0 -9
  20. package/src/map.ts +0 -200
  21. package/src/patch.ts +0 -326
  22. package/src/tests/map.test.ts +0 -212
  23. package/src/tests/patch.test.ts +0 -297
  24. package/src/tests/sample.md +0 -81
  25. package/src/tests/sample.patch.block.append.md +0 -82
  26. package/src/tests/sample.patch.block.prepend.md +0 -82
  27. package/src/tests/sample.patch.block.replace.md +0 -81
  28. package/src/tests/sample.patch.block.targetBlockTypeBehavior.table.append.md +0 -82
  29. package/src/tests/sample.patch.block.targetBlockTypeBehavior.table.prepend.md +0 -82
  30. package/src/tests/sample.patch.block.targetBlockTypeBehavior.table.replace.md +0 -77
  31. package/src/tests/sample.patch.heading.append.md +0 -82
  32. package/src/tests/sample.patch.heading.document.append.md +0 -82
  33. package/src/tests/sample.patch.heading.document.prepend.md +0 -82
  34. package/src/tests/sample.patch.heading.prepend.md +0 -82
  35. package/src/tests/sample.patch.heading.replace.md +0 -81
  36. package/src/tests/sample.patch.heading.trimTargetWhitespace.append.md +0 -80
  37. package/src/tests/sample.patch.heading.trimTargetWhitespace.prepend.md +0 -80
  38. package/src/types.ts +0 -155
  39. package/tsconfig.json +0 -18
package/README.md ADDED
@@ -0,0 +1,111 @@
1
+ # Markdown Patch
2
+
3
+ Have you ever needed to set up a script for modifying a markdown document and found yourself using arcane tools like `sed` before giving up entirely?
4
+
5
+ Markdown Patch (`mdpatch`) is aware of the structure of your markdown document and makes it possible for you to easily inserting content relative to parts of that structure like headings and block references.
6
+
7
+ ## Quickstart
8
+
9
+ You can install the package via `npm`:
10
+
11
+ ```bash
12
+ npm install markdown-patch
13
+ ```
14
+
15
+ And if you were to create a document named `document.md` with the following content:
16
+
17
+ ```markdown
18
+ # Noise Floor
19
+
20
+ - Some content
21
+
22
+ # Discoveries
23
+
24
+ # Events
25
+
26
+ - Checked out of my hotel
27
+ - Caught the flight home
28
+
29
+ ```
30
+
31
+ Then you can use the `patch` or `apply` subcommands to alter the document. For example, the following will add a new heading below the heading "Discoveries":
32
+
33
+ ```bash
34
+ mdpatch patch append heading Discoveries ./document.md
35
+
36
+ ## My discovery
37
+ I discovered a thing
38
+
39
+ <Ctrl+D>
40
+ ```
41
+
42
+ Your final document will then look like:
43
+
44
+ ```markdown
45
+ # Noise Floor
46
+
47
+ - Some content
48
+
49
+ # Discoveries
50
+
51
+ ## My discovery
52
+ I discovered a thing
53
+
54
+ # Events
55
+
56
+ - Checked out of my hotel
57
+ - Caught the flight home
58
+
59
+ ```
60
+
61
+ See `--help` for more insight into what commands are available.
62
+
63
+ ## Use as a library
64
+
65
+ ```ts
66
+ import {PatchInstruction, applyPatch} from "markdown-patch"
67
+
68
+ const myDocument = `
69
+ # Noise Floor
70
+
71
+ - Some content
72
+
73
+ # Discoveries
74
+
75
+ # Events
76
+
77
+ - Checked out of my hotel
78
+ - Caught the flight home
79
+
80
+ `
81
+
82
+ const instruction: PatchInstruction {
83
+ operation: "append",
84
+ targetType: "heading",
85
+ target: "Discoveries",
86
+ content: "\n## My discovery\nI discovered a thing\n",
87
+ }
88
+
89
+ console.log(
90
+ applyPatch(myDocument, instruction)
91
+ )
92
+ ```
93
+
94
+ and you'll see the output:
95
+
96
+ ```markdown
97
+ # Noise Floor
98
+
99
+ - Some content
100
+
101
+ # Discoveries
102
+
103
+ ## My discovery
104
+ I discovered a thing
105
+
106
+ # Events
107
+
108
+ - Checked out of my hotel
109
+ - Caught the flight home
110
+
111
+ ```
package/dist/cli.js ADDED
@@ -0,0 +1,108 @@
1
+ #!/usr/bin/env node
2
+ import { Command } from "commander";
3
+ import fs from "fs/promises";
4
+ import { getDocumentMap } from "./map.js";
5
+ import { printMap } from "./debug.js";
6
+ import { applyPatch } from "./patch.js";
7
+ import packageJson from "../package.json" assert { type: "json" };
8
+ async function readStdin() {
9
+ return new Promise((resolve, reject) => {
10
+ let data = "";
11
+ process.stdin.on("data", (chunk) => (data += chunk));
12
+ process.stdin.on("end", () => resolve(data));
13
+ process.stdin.on("error", reject);
14
+ });
15
+ }
16
+ const program = new Command();
17
+ // Configure the CLI
18
+ program
19
+ .name(Object.keys(packageJson.bin)[0])
20
+ .description(packageJson.description)
21
+ .version(packageJson.version);
22
+ program
23
+ .command("print-map")
24
+ .argument("<path>", "filepath to show identified patchable paths for")
25
+ .argument("[regex]", "limit displayed matches to those matching the supplied regular expression")
26
+ .action(async (path, regex) => {
27
+ const document = await fs.readFile(path, "utf-8");
28
+ const documentMap = getDocumentMap(document);
29
+ printMap(document, documentMap, regex ? new RegExp(regex) : undefined);
30
+ });
31
+ program
32
+ .command("patch")
33
+ .option("-i, --input <input>", "Path to content to insert; by default reads from stdin.")
34
+ .option("-o, --output <output>", "Path to write output to; use '-' for stdout. Defaults to patching in-place.")
35
+ .option("-d, --delimiter <delimiter>", "Heading delimiter to use in place of '::'.", "::")
36
+ .argument("<operation>", "Operation to perform ('replace', 'append', etc.)")
37
+ .argument("<targetType>", "Target type ('heading', 'block', etc.)")
38
+ .argument("<target>", "Target ('::'-delimited by default for Headings); see `mdpatch print-map <path to document>` for options)")
39
+ .argument("<documentPath>", "Path to document to apply patch to.")
40
+ .action(async (operation, targetType, target, documentPath, options) => {
41
+ let content;
42
+ if (options.input) {
43
+ content = await fs.readFile(options.input, "utf-8");
44
+ }
45
+ else {
46
+ content = await readStdin();
47
+ }
48
+ const document = await fs.readFile(documentPath, "utf-8");
49
+ const instruction = {
50
+ operation,
51
+ targetType,
52
+ content,
53
+ target: targetType !== "heading" ? target : target.split(options.delimiter),
54
+ };
55
+ const patchedDocument = applyPatch(document, instruction);
56
+ if (options.output === "-") {
57
+ process.stdout.write(patchedDocument);
58
+ }
59
+ else {
60
+ await fs.writeFile(options.output ? options.output : documentPath, patchedDocument);
61
+ }
62
+ });
63
+ program
64
+ .command("apply")
65
+ .argument("<path>", "file to patch")
66
+ .argument("<patch>", "patch file to apply")
67
+ .option("-o, --output <output>", "write output to the specified path instead of applying in-place; use '-' for stdout")
68
+ .action(async (path, patch, options) => {
69
+ let patchParsed;
70
+ let patchData;
71
+ try {
72
+ if (patch === "-") {
73
+ patchData = await readStdin();
74
+ }
75
+ else {
76
+ patchData = await fs.readFile(patch, "utf-8");
77
+ }
78
+ }
79
+ catch (e) {
80
+ console.error("Failed to read patch: ", e);
81
+ process.exit(1);
82
+ }
83
+ try {
84
+ const parsedData = JSON.parse(patchData);
85
+ if (!Array.isArray(parsedData)) {
86
+ patchParsed = [parsedData];
87
+ }
88
+ else {
89
+ patchParsed = parsedData;
90
+ }
91
+ }
92
+ catch (e) {
93
+ console.error("Could not parse patch file as JSON");
94
+ process.exit(1);
95
+ }
96
+ let document = await fs.readFile(path, "utf-8");
97
+ console.log("Document", document);
98
+ for (const instruction of patchParsed) {
99
+ document = applyPatch(document, instruction);
100
+ }
101
+ if (options.output === "-") {
102
+ process.stdout.write(document);
103
+ }
104
+ else {
105
+ await fs.writeFile(options.output ? options.output : path, document);
106
+ }
107
+ });
108
+ program.parse(process.argv);
@@ -1,11 +1,10 @@
1
1
  export const TARGETABLE_BY_ISOLATED_BLOCK_REFERENCE = [
2
- "code",
3
- "heading",
4
- "table",
5
- "blockquote",
6
- "list",
7
- "paragraph",
8
- "image",
2
+ "code",
3
+ "heading",
4
+ "table",
5
+ "blockquote",
6
+ "list",
7
+ "paragraph",
8
+ "image",
9
9
  ];
10
-
11
10
  export const CAN_INCLUDE_BLOCK_REFERENCE = ["paragraph", "list_item"];
package/dist/debug.js ADDED
@@ -0,0 +1,50 @@
1
+ import chalk from "chalk";
2
+ export const printMap = (content, documentMap, regex) => {
3
+ for (const type in documentMap) {
4
+ for (const positionName in documentMap[type]) {
5
+ const position = documentMap[type][positionName];
6
+ const blockName = `[${chalk.magenta(type)}] ${positionName
7
+ .split("\u001f")
8
+ .map((pos) => chalk.blueBright(pos))
9
+ .join(",")}`;
10
+ if (regex && !blockName.match(regex)) {
11
+ continue;
12
+ }
13
+ console.log("\n" + blockName + "\n");
14
+ if (position.content.start < position.marker.start) {
15
+ console.log(content
16
+ .slice(position.content.start - 100, position.content.start)
17
+ .replaceAll("\n", "\\n\n") +
18
+ chalk.black.bgGreen(content
19
+ .slice(position.content.start, position.content.end)
20
+ .replaceAll("\n", "\\n\n")) +
21
+ content
22
+ .slice(position.content.end, Math.min(position.content.end + 100, position.marker.start))
23
+ .replaceAll("\n", "\\n\n") +
24
+ chalk.black.bgRed(content
25
+ .slice(position.marker.start, position.marker.end)
26
+ .replaceAll("\n", "\\n\n")) +
27
+ content
28
+ .slice(position.marker.end, position.marker.end + 100)
29
+ .replaceAll("\n", "\\n\n"));
30
+ }
31
+ else {
32
+ console.log(content
33
+ .slice(position.marker.start - 100, position.marker.start)
34
+ .replaceAll("\n", "\\n\n") +
35
+ chalk.black.bgRed(content
36
+ .slice(position.marker.start, position.marker.end)
37
+ .replaceAll("\n", "\\n\n")) +
38
+ content
39
+ .slice(position.marker.end, Math.min(position.marker.end + 100, position.content.start))
40
+ .replaceAll("\n", "\\n\n") +
41
+ chalk.black.bgGreen(content
42
+ .slice(position.content.start, position.content.end)
43
+ .replaceAll("\n", "\\n\n")) +
44
+ content
45
+ .slice(position.content.end, position.content.end + 100)
46
+ .replaceAll("\n", "\\n\n"));
47
+ }
48
+ }
49
+ }
50
+ };
package/dist/index.js ADDED
@@ -0,0 +1 @@
1
+ export * from "./types.js";
package/dist/map.js ADDED
@@ -0,0 +1,144 @@
1
+ import * as marked from "marked";
2
+ import { CAN_INCLUDE_BLOCK_REFERENCE, TARGETABLE_BY_ISOLATED_BLOCK_REFERENCE, } from "./constants.js";
3
+ function getHeadingPositions(document, tokens) {
4
+ // If the document starts with frontmatter, figure out where
5
+ // the frontmatter ends so we can know where the text of the
6
+ // document begins
7
+ let documentStart = 0;
8
+ if (tokens[0].type === "hr") {
9
+ documentStart = tokens[0].raw.length + 1;
10
+ for (const token of tokens.slice(1)) {
11
+ documentStart += token.raw.length;
12
+ if (token.type === "hr") {
13
+ break;
14
+ }
15
+ }
16
+ }
17
+ const positions = {
18
+ "": {
19
+ content: {
20
+ start: documentStart,
21
+ end: document.length,
22
+ },
23
+ marker: {
24
+ start: 0,
25
+ end: 0,
26
+ },
27
+ level: 0,
28
+ },
29
+ };
30
+ const stack = [];
31
+ let currentPosition = 0;
32
+ tokens.forEach((token, index) => {
33
+ if (token.type === "heading") {
34
+ const headingToken = token;
35
+ const startHeading = document.indexOf(headingToken.raw.trim(), currentPosition);
36
+ const endHeading = startHeading + headingToken.raw.trim().length + 1;
37
+ const headingLevel = headingToken.depth;
38
+ // Determine the start of the content after this heading
39
+ const startContent = endHeading;
40
+ // Determine the end of the content before the next heading of the same or higher level, or end of document
41
+ let endContent = undefined;
42
+ for (let i = index + 1; i < tokens.length; i++) {
43
+ if (tokens[i].type === "heading" &&
44
+ tokens[i].depth <= headingLevel) {
45
+ endContent = document.indexOf(tokens[i].raw.trim(), startContent);
46
+ break;
47
+ }
48
+ }
49
+ if (endContent === undefined) {
50
+ endContent = document.length;
51
+ }
52
+ const currentHeading = {
53
+ content: {
54
+ start: startContent,
55
+ end: endContent,
56
+ },
57
+ marker: {
58
+ start: startHeading,
59
+ end: endHeading,
60
+ },
61
+ level: headingLevel,
62
+ };
63
+ // Build the full heading path with parent headings separated by '\t'
64
+ let fullHeadingPath = headingToken.text.trim();
65
+ while (stack.length &&
66
+ stack[stack.length - 1].position.level >= headingLevel) {
67
+ stack.pop();
68
+ }
69
+ if (stack.length) {
70
+ const parent = stack[stack.length - 1];
71
+ parent.position.content.end = endContent;
72
+ fullHeadingPath = `${parent.heading}\u001f${fullHeadingPath}`;
73
+ }
74
+ positions[fullHeadingPath] = currentHeading;
75
+ stack.push({ heading: fullHeadingPath, position: currentHeading });
76
+ currentPosition = endHeading;
77
+ }
78
+ });
79
+ return positions;
80
+ }
81
+ function getBlockPositions(document, tokens) {
82
+ const positions = {};
83
+ let lastBlockDetails = undefined;
84
+ let startContent = 0;
85
+ let endContent = 0;
86
+ let endMarker = 0;
87
+ marked.walkTokens(tokens, (token) => {
88
+ const blockReferenceRegex = /(?:\s+|^)\^([a-zA-Z0-9_-]+)\s*$/;
89
+ startContent = document.indexOf(token.raw, startContent);
90
+ const match = blockReferenceRegex.exec(token.raw);
91
+ endContent = startContent + (match ? match.index : token.raw.length);
92
+ const startMarker = match ? startContent + match.index : -1;
93
+ endMarker = startContent + token.raw.length;
94
+ // The end of a list item token sometimes doesn't include the trailing
95
+ // newline -- i'm honestly not sure why, but treating it as
96
+ // included here would simplify my implementation
97
+ if (document.slice(endMarker - 1, endMarker) !== "\n" &&
98
+ document.slice(endMarker, endMarker + 1) === "\n") {
99
+ endMarker += 1;
100
+ }
101
+ else if (document.slice(endMarker - 2, endMarker) !== "\r\n" &&
102
+ document.slice(endMarker, endMarker + 2) === "\r\n") {
103
+ endMarker += 2;
104
+ }
105
+ if (CAN_INCLUDE_BLOCK_REFERENCE.includes(token.type) && match) {
106
+ const name = match[1];
107
+ if (!name || match.index === undefined) {
108
+ return;
109
+ }
110
+ const finalStartContent = {
111
+ start: startContent,
112
+ end: endContent,
113
+ };
114
+ if (finalStartContent.start === finalStartContent.end &&
115
+ lastBlockDetails) {
116
+ finalStartContent.start = lastBlockDetails.start;
117
+ finalStartContent.end = lastBlockDetails.end;
118
+ }
119
+ positions[name] = {
120
+ content: finalStartContent,
121
+ marker: {
122
+ start: startMarker,
123
+ end: endMarker,
124
+ },
125
+ };
126
+ }
127
+ if (TARGETABLE_BY_ISOLATED_BLOCK_REFERENCE.includes(token.type)) {
128
+ lastBlockDetails = {
129
+ token: token,
130
+ start: startContent,
131
+ end: endContent - 1,
132
+ };
133
+ }
134
+ });
135
+ return positions;
136
+ }
137
+ export const getDocumentMap = (document) => {
138
+ const lexer = new marked.Lexer();
139
+ const tokens = lexer.lex(document);
140
+ return {
141
+ heading: getHeadingPositions(document, tokens),
142
+ block: getBlockPositions(document, tokens),
143
+ };
144
+ };
package/dist/patch.js ADDED
@@ -0,0 +1,191 @@
1
+ import { getDocumentMap } from "./map.js";
2
+ import * as marked from "marked";
3
+ export var PatchFailureReason;
4
+ (function (PatchFailureReason) {
5
+ PatchFailureReason["InvalidTarget"] = "invalid-target";
6
+ PatchFailureReason["ContentAlreadyPreexistsInTarget"] = "content-already-preexists-in-target";
7
+ PatchFailureReason["TableContentIncorrectColumnCount"] = "table-content-incorrect-column-count";
8
+ PatchFailureReason["RequestedBlockTypeBehaviorUnavailable"] = "requested-block-type-behavior-unavailable";
9
+ })(PatchFailureReason || (PatchFailureReason = {}));
10
+ export class PatchFailed extends Error {
11
+ constructor(reason, instruction, targetMap) {
12
+ super();
13
+ this.reason = reason;
14
+ this.instruction = instruction;
15
+ this.targetMap = targetMap;
16
+ this.name = "PatchFailed";
17
+ Object.setPrototypeOf(this, new.target.prototype);
18
+ }
19
+ }
20
+ export class PatchError extends Error {
21
+ }
22
+ const replaceText = (document, instruction, target) => {
23
+ return [
24
+ document.slice(0, target.content.start),
25
+ instruction.content,
26
+ document.slice(target.content.end),
27
+ ].join("");
28
+ };
29
+ const prependText = (document, instruction, target) => {
30
+ return [
31
+ document.slice(0, target.content.start),
32
+ instruction.content,
33
+ instruction.trimTargetWhitespace
34
+ ? document.slice(target.content.start).trimStart()
35
+ : document.slice(target.content.start),
36
+ ].join("");
37
+ };
38
+ const appendText = (document, instruction, target) => {
39
+ return [
40
+ instruction.trimTargetWhitespace
41
+ ? document.slice(0, target.content.end).trimEnd()
42
+ : document.slice(0, target.content.end),
43
+ instruction.content,
44
+ document.slice(target.content.end),
45
+ ].join("");
46
+ };
47
+ export class TablePartsNotFound extends Error {
48
+ }
49
+ const _getTableData = (document, target) => {
50
+ const targetTable = document.slice(target.content.start, target.content.end);
51
+ const tableToken = marked.lexer(targetTable)[0];
52
+ const match = /^(.*?)(?:\r?\n)(.*?)(\r?\n)/.exec(targetTable);
53
+ if (!(tableToken.type === "table") || !match) {
54
+ throw new TablePartsNotFound();
55
+ }
56
+ const lineEnding = match[3];
57
+ return {
58
+ token: tableToken,
59
+ lineEnding: match[3],
60
+ headerParts: match[1] + lineEnding + match[2] + lineEnding,
61
+ contentParts: targetTable.slice(match[0].length),
62
+ };
63
+ };
64
+ const replaceTable = (document, instruction, target) => {
65
+ try {
66
+ const table = _getTableData(document, target);
67
+ const tableRows = [table.headerParts];
68
+ for (const row of instruction.content) {
69
+ if (row.length !== table.token.header.length || typeof row === "string") {
70
+ throw new PatchFailed(PatchFailureReason.TableContentIncorrectColumnCount, instruction, target);
71
+ }
72
+ tableRows.push("| " + row.join(" | ") + " |" + table.lineEnding);
73
+ }
74
+ return [
75
+ document.slice(0, target.content.start),
76
+ tableRows.join(""),
77
+ document.slice(target.content.end),
78
+ ].join("");
79
+ }
80
+ catch (TablePartsNotFound) {
81
+ throw new PatchFailed(PatchFailureReason.RequestedBlockTypeBehaviorUnavailable, instruction, target);
82
+ }
83
+ };
84
+ const prependTable = (document, instruction, target) => {
85
+ try {
86
+ const table = _getTableData(document, target);
87
+ const tableRows = [table.headerParts];
88
+ for (const row of instruction.content) {
89
+ if (row.length !== table.token.header.length || typeof row === "string") {
90
+ throw new PatchFailed(PatchFailureReason.TableContentIncorrectColumnCount, instruction, target);
91
+ }
92
+ tableRows.push("| " + row.join(" | ") + " |" + table.lineEnding);
93
+ }
94
+ tableRows.push(table.contentParts);
95
+ return [
96
+ document.slice(0, target.content.start),
97
+ tableRows.join(""),
98
+ document.slice(target.content.end),
99
+ ].join("");
100
+ }
101
+ catch (TablePartsNotFound) {
102
+ throw new PatchFailed(PatchFailureReason.RequestedBlockTypeBehaviorUnavailable, instruction, target);
103
+ }
104
+ };
105
+ const appendTable = (document, instruction, target) => {
106
+ try {
107
+ const table = _getTableData(document, target);
108
+ const tableRows = [table.headerParts, table.contentParts];
109
+ for (const row of instruction.content) {
110
+ if (row.length !== table.token.header.length || typeof row === "string") {
111
+ throw new PatchFailed(PatchFailureReason.TableContentIncorrectColumnCount, instruction, target);
112
+ }
113
+ tableRows.push("| " + row.join(" | ") + " |" + table.lineEnding);
114
+ }
115
+ return [
116
+ document.slice(0, target.content.start),
117
+ tableRows.join(""),
118
+ document.slice(target.content.end),
119
+ ].join("");
120
+ }
121
+ catch (TablePartsNotFound) {
122
+ throw new PatchFailed(PatchFailureReason.RequestedBlockTypeBehaviorUnavailable, instruction, target);
123
+ }
124
+ };
125
+ const replace = (document, instruction, target) => {
126
+ const targetBlockTypeBehavior = "targetBlockTypeBehavior" in instruction &&
127
+ instruction.targetBlockTypeBehavior
128
+ ? instruction.targetBlockTypeBehavior
129
+ : "text";
130
+ switch (targetBlockTypeBehavior) {
131
+ case "text":
132
+ return replaceText(document, instruction, target);
133
+ case "table":
134
+ return replaceTable(document, instruction, target);
135
+ }
136
+ };
137
+ const prepend = (document, instruction, target) => {
138
+ const targetBlockTypeBehavior = "targetBlockTypeBehavior" in instruction &&
139
+ instruction.targetBlockTypeBehavior
140
+ ? instruction.targetBlockTypeBehavior
141
+ : "text";
142
+ switch (targetBlockTypeBehavior) {
143
+ case "text":
144
+ return prependText(document, instruction, target);
145
+ case "table":
146
+ return prependTable(document, instruction, target);
147
+ }
148
+ };
149
+ const append = (document, instruction, target) => {
150
+ const targetBlockTypeBehavior = "targetBlockTypeBehavior" in instruction &&
151
+ instruction.targetBlockTypeBehavior
152
+ ? instruction.targetBlockTypeBehavior
153
+ : "text";
154
+ switch (targetBlockTypeBehavior) {
155
+ case "text":
156
+ return appendText(document, instruction, target);
157
+ case "table":
158
+ return appendTable(document, instruction, target);
159
+ }
160
+ };
161
+ const getTarget = (map, instruction) => {
162
+ switch (instruction.targetType) {
163
+ case "heading":
164
+ return map.heading[instruction.target ? instruction.target.join("\u001f") : ""];
165
+ case "block":
166
+ return map.block[instruction.target];
167
+ }
168
+ };
169
+ export const applyPatch = (document, instruction) => {
170
+ const map = getDocumentMap(document);
171
+ const target = getTarget(map, instruction);
172
+ if (!target) {
173
+ throw new PatchFailed(PatchFailureReason.InvalidTarget, instruction, null);
174
+ }
175
+ if ((!("applyIfContentPreexists" in instruction) ||
176
+ !instruction.applyIfContentPreexists) &&
177
+ typeof instruction.content === "string" &&
178
+ document
179
+ .slice(target.content.start, target.content.end)
180
+ .includes(instruction.content.trim())) {
181
+ throw new PatchFailed(PatchFailureReason.ContentAlreadyPreexistsInTarget, instruction, target);
182
+ }
183
+ switch (instruction.operation) {
184
+ case "append":
185
+ return append(document, instruction, target);
186
+ case "prepend":
187
+ return prepend(document, instruction, target);
188
+ case "replace":
189
+ return replace(document, instruction, target);
190
+ }
191
+ };