Skip to content
New issue

Have a question about this project? # for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “#”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? # to your account

feat: change event allows getting a list of the changes made #1585

Open
wants to merge 1 commit into
base: feat/blocknote-transactions
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
208 changes: 207 additions & 1 deletion packages/core/src/api/nodeUtil.ts
Original file line number Diff line number Diff line change
@@ -1,4 +1,21 @@
import { Node } from "prosemirror-model";
import {
combineTransactionSteps,
findChildrenInRange,
getChangedRanges,
} from "@tiptap/core";
import type { Node } from "prosemirror-model";
import type { Transaction } from "prosemirror-state";
import {
Block,
DefaultBlockSchema,
DefaultInlineContentSchema,
DefaultStyleSchema,
} from "../blocks/defaultBlocks.js";
import type { BlockNoteEditor } from "../editor/BlockNoteEditor.js";
import type { BlockSchema } from "../schema/index.js";
import type { InlineContentSchema } from "../schema/inlineContent/types.js";
import type { StyleSchema } from "../schema/styles/types.js";
import { nodeToBlock } from "./nodeConversions/nodeToBlock.js";

/**
* Get a TipTap node by id
Expand Down Expand Up @@ -36,3 +53,192 @@ export function getNodeById(
posBeforeNode: posBeforeNode,
};
}

/**
* This attributes the changes to a specific source.
*/
export type BlockChangeSource =
| {
/**
* When an event is triggered by the local user, the source is "local".
* This is the default source.
*/
type: "local";
}
| {
/**
* When an event is triggered by a paste operation, the source is "paste".
*/
type: "paste";
}
| {
/**
* When an event is triggered by a drop operation, the source is "drop".
*/
type: "drop";
}
| {
/**
* When an event is triggered by an undo or redo operation, the source is "undo" or "redo".
*/
type: "undo" | "redo";
}
| {
/**
* When an event is triggered by a remote user, the source is "remote".
*/
type: "remote";
};

export type BlocksChanged<
BSchema extends BlockSchema = DefaultBlockSchema,
ISchema extends InlineContentSchema = DefaultInlineContentSchema,
SSchema extends StyleSchema = DefaultStyleSchema
> = Array<
{
/**
* The affected block.
*/
block: Block<BSchema, ISchema, SSchema>;
/**
* The source of the change.
*/
source: BlockChangeSource;
} & (
| {
type: "insert" | "delete";
/**
* Insert and delete changes don't have a previous block.
*/
prevBlock: undefined;
}
| {
type: "update";
/**
* The block before the update.
*/
prevBlock: Block<BSchema, ISchema, SSchema>;
}
)
>;

/**
* Get the blocks that were changed by a transaction.
* @param transaction The transaction to get the changes from.
* @param editor The editor to get the changes from.
* @returns The blocks that were changed by the transaction.
*/
export function getBlocksChangedByTransaction<
BSchema extends BlockSchema = DefaultBlockSchema,
ISchema extends InlineContentSchema = DefaultInlineContentSchema,
SSchema extends StyleSchema = DefaultStyleSchema
>(
transaction: Transaction,
editor: BlockNoteEditor<BSchema, ISchema, SSchema>
): BlocksChanged<BSchema, ISchema, SSchema> {
let source: BlockChangeSource = { type: "local" };

if (transaction.getMeta("paste")) {
source = { type: "paste" };
} else if (transaction.getMeta("uiEvent") === "drop") {
source = { type: "drop" };
} else if (transaction.getMeta("history$")) {
source = {
type: transaction.getMeta("history$").redo ? "redo" : "undo",
};
} else if (transaction.getMeta("y-sync$")) {
source = { type: "remote" };
}

const changes: BlocksChanged<BSchema, ISchema, SSchema> = [];
// TODO when we upgrade to Tiptap v3, we can get the appendedTransactions which would give us things like the actual inserted Block IDs.
// since they are appended to the transaction via the unique-id plugin
const combinedTransaction = combineTransactionSteps(transaction.before, [
transaction,
...[] /*appendedTransactions*/,
]);

let prevAffectedBlocks: Block<BSchema, ISchema, SSchema>[] = [];
let nextAffectedBlocks: Block<BSchema, ISchema, SSchema>[] = [];

getChangedRanges(combinedTransaction).forEach((range) => {
// All the blocks that were in the range before the transaction
prevAffectedBlocks = prevAffectedBlocks.concat(
...findChildrenInRange(
combinedTransaction.before,
range.oldRange,
(node) => node.type.isInGroup("bnBlock")
).map(({ node }) =>
nodeToBlock(
node,
editor.schema.blockSchema,
editor.schema.inlineContentSchema,
editor.schema.styleSchema,
editor.blockCache
)
)
);
// All the blocks that were in the range after the transaction
nextAffectedBlocks = nextAffectedBlocks.concat(
findChildrenInRange(combinedTransaction.doc, range.newRange, (node) =>
node.type.isInGroup("bnBlock")
).map(({ node }) =>
nodeToBlock(
node,
editor.schema.blockSchema,
editor.schema.inlineContentSchema,
editor.schema.styleSchema,
editor.blockCache
)
)
);
});

// de-duplicate by block ID
const nextBlockIds = new Set(nextAffectedBlocks.map((block) => block.id));
const prevBlockIds = new Set(prevAffectedBlocks.map((block) => block.id));

// All blocks that are newly inserted (since they did not exist in the previous state)
const addedBlockIds = Array.from(nextBlockIds).filter(
(id) => !prevBlockIds.has(id)
);

addedBlockIds.forEach((blockId) => {
changes.push({
type: "insert",
block: nextAffectedBlocks.find((block) => block.id === blockId)!,
source,
prevBlock: undefined,
});
});

// All blocks that are newly removed (since they did not exist in the previous state)
const removedBlockIds = Array.from(prevBlockIds).filter(
(id) => !nextBlockIds.has(id)
);

removedBlockIds.forEach((blockId) => {
changes.push({
type: "delete",
block: prevAffectedBlocks.find((block) => block.id === blockId)!,
source,
prevBlock: undefined,
});
});

// All blocks that are updated (since they exist in both the previous and next state)
const updatedBlockIds = Array.from(nextBlockIds).filter((id) =>
prevBlockIds.has(id)
);

updatedBlockIds.forEach((blockId) => {
changes.push({
type: "update",
block: nextAffectedBlocks.find((block) => block.id === blockId)!,
prevBlock: prevAffectedBlocks.find((block) => block.id === blockId)!,
source,
});
});

return changes;
}
17 changes: 14 additions & 3 deletions packages/core/src/editor/BlockNoteEditor.ts
Original file line number Diff line number Diff line change
Expand Up @@ -107,6 +107,10 @@ import { ySyncPluginKey } from "y-prosemirror";
import { createInternalHTMLSerializer } from "../api/exporters/html/internalHTMLSerializer.js";
import { inlineContentToNodes } from "../api/nodeConversions/blockToNode.js";
import { nodeToBlock } from "../api/nodeConversions/nodeToBlock.js";
import {
BlocksChanged,
getBlocksChangedByTransaction,
} from "../api/nodeUtil.js";
import { nestedListsToBlockNoteStructure } from "../api/parsers/html/util/nestedLists.js";
import { CodeBlockOptions } from "../blocks/CodeBlockContent/CodeBlockContent.js";
import type { ThreadStore, User } from "../comments/index.js";
Expand Down Expand Up @@ -1466,15 +1470,22 @@ export class BlockNoteEditor<
* @returns A function to remove the callback.
*/
public onChange(
callback: (editor: BlockNoteEditor<BSchema, ISchema, SSchema>) => void
callback: (
editor: BlockNoteEditor<BSchema, ISchema, SSchema>,
context: {
getChanges(): BlocksChanged<BSchema, ISchema, SSchema>;
}
) => void
) {
if (this.headless) {
// Note: would be nice if this is possible in headless mode as well
return;
}

const cb = () => {
callback(this);
const cb = ({ transaction }: { transaction: Transaction }) => {
callback(this, {
getChanges: () => getBlocksChangedByTransaction(transaction, this),
});
};

this._tiptapEditor.on("update", cb);
Expand Down
4 changes: 3 additions & 1 deletion packages/react/src/editor/BlockNoteView.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -71,7 +71,9 @@ export type BlockNoteViewProps<
/**
* A callback function that runs whenever the editor's contents change.
*/
onChange?: () => void;
onChange?: Parameters<
BlockNoteEditor<BSchema, ISchema, SSchema>["onChange"]
>[0];

children?: ReactNode;

Expand Down
2 changes: 1 addition & 1 deletion packages/react/src/hooks/useEditorChange.ts
Original file line number Diff line number Diff line change
Expand Up @@ -3,7 +3,7 @@ import { useEffect } from "react";
import { useBlockNoteContext } from "../editor/BlockNoteContext.js";

export function useEditorChange(
callback: () => void,
callback: Parameters<BlockNoteEditor<any, any, any>["onChange"]>[0],
editor?: BlockNoteEditor<any, any, any>
) {
const editorContext = useBlockNoteContext();
Expand Down
Loading