diff options
Diffstat (limited to 'src/client/views/nodes/formattedText/FormattedTextBox.tsx')
| -rw-r--r-- | src/client/views/nodes/formattedText/FormattedTextBox.tsx | 121 | 
1 files changed, 84 insertions, 37 deletions
| diff --git a/src/client/views/nodes/formattedText/FormattedTextBox.tsx b/src/client/views/nodes/formattedText/FormattedTextBox.tsx index d26954dbc..11f25a208 100644 --- a/src/client/views/nodes/formattedText/FormattedTextBox.tsx +++ b/src/client/views/nodes/formattedText/FormattedTextBox.tsx @@ -8,7 +8,7 @@ import { baseKeymap, selectAll } from "prosemirror-commands";  import { history } from "prosemirror-history";  import { inputRules } from 'prosemirror-inputrules';  import { keymap } from "prosemirror-keymap"; -import { Fragment, Mark, Node, Slice } from "prosemirror-model"; +import { Fragment, Mark, Node, Slice, Schema } from "prosemirror-model";  import { EditorState, NodeSelection, Plugin, TextSelection, Transaction } from "prosemirror-state";  import { ReplaceStep } from 'prosemirror-transform';  import { EditorView } from "prosemirror-view"; @@ -16,13 +16,14 @@ import { DateField } from '../../../../fields/DateField';  import { DataSym, Doc, DocListCast, DocListCastAsync, Field, HeightSym, Opt, WidthSym, AclSym } from "../../../../fields/Doc";  import { documentSchema } from '../../../../fields/documentSchemas';  import applyDevTools = require("prosemirror-dev-tools"); +import { removeMarkWithAttrs } from "./prosemirrorPatches";  import { Id } from '../../../../fields/FieldSymbols';  import { InkTool } from '../../../../fields/InkField';  import { PrefetchProxy } from '../../../../fields/Proxy';  import { RichTextField } from "../../../../fields/RichTextField";  import { RichTextUtils } from '../../../../fields/RichTextUtils';  import { createSchema, makeInterface } from "../../../../fields/Schema"; -import { Cast, DateCast, NumCast, StrCast } from "../../../../fields/Types"; +import { Cast, DateCast, NumCast, StrCast, ScriptCast } from "../../../../fields/Types";  import { TraceMobx, OVERRIDE_ACL } from '../../../../fields/util';  import { addStyleSheet, addStyleSheetRule, clearStyleSheetRules, emptyFunction, numberRange, returnOne, returnZero, Utils, setupMoveUpEvents } from '../../../../Utils';  import { GoogleApiClientUtils, Pulls, Pushes } from '../../../apis/google_docs/GoogleApiClientUtils'; @@ -32,7 +33,7 @@ import { DocumentType } from '../../../documents/DocumentTypes';  import { DictationManager } from '../../../util/DictationManager';  import { DragManager } from "../../../util/DragManager";  import { makeTemplate } from '../../../util/DropConverter'; -import buildKeymap from "./ProsemirrorExampleTransfer"; +import buildKeymap, { updateBullets } from "./ProsemirrorExampleTransfer";  import RichTextMenu from './RichTextMenu';  import { RichTextRules } from "./RichTextRules"; @@ -56,7 +57,7 @@ import { DocumentButtonBar } from '../../DocumentButtonBar';  import { AudioBox } from '../AudioBox';  import { FieldView, FieldViewProps } from "../FieldView";  import "./FormattedTextBox.scss"; -import { FormattedTextBoxComment, formattedTextBoxCommentPlugin } from './FormattedTextBoxComment'; +import { FormattedTextBoxComment, formattedTextBoxCommentPlugin, findLinkMark } from './FormattedTextBoxComment';  import React = require("react");  library.add(faEdit); @@ -68,15 +69,10 @@ export interface FormattedTextBoxProps {      xMargin?: number;   // used to override document's settings for xMargin --- see CollectionCarouselView      yMargin?: number;  } - -const richTextSchema = createSchema({ -    documentText: "string", -}); -  export const GoogleRef = "googleDocId"; -type RichTextDocument = makeInterface<[typeof richTextSchema, typeof documentSchema]>; -const RichTextDocument = makeInterface(richTextSchema, documentSchema); +type RichTextDocument = makeInterface<[typeof documentSchema]>; +const RichTextDocument = makeInterface(documentSchema);  type PullHandler = (exportState: Opt<GoogleApiClientUtils.Docs.ImportResult>, dataDoc: Doc) => void; @@ -86,14 +82,16 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp      public static blankState = () => EditorState.create(FormattedTextBox.Instance.config);      public static Instance: FormattedTextBox;      public ProseRef?: HTMLDivElement; +    public get EditorView() { return this._editorView; }      private _ref: React.RefObject<HTMLDivElement> = React.createRef();      private _scrollRef: React.RefObject<HTMLDivElement> = React.createRef();      private _editorView: Opt<EditorView>;      private _applyingChange: boolean = false;      private _searchIndex = 0; +    private _cachedLinks: Doc[] = [];      private _undoTyping?: UndoManager.Batch;      private _disposers: { [name: string]: IReactionDisposer } = {}; -    private dropDisposer?: DragManager.DragDropDisposer; +    private _dropDisposer?: DragManager.DragDropDisposer;      @computed get _recording() { return this.dataDoc.audioState === "recording"; }      set _recording(value) { this.dataDoc.audioState = value ? "recording" : undefined; } @@ -145,6 +143,33 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp      public get CurrentDiv(): HTMLDivElement { return this._ref.current!; } +    // removes all hyperlink anchors for the removed linkDoc +    // TODO: bcz: Argh... if a section of text has multiple anchors, this should just remove the intended one.  +    // but since removing one anchor from the list of attr anchors isn't implemented, this will end up removing nothing. +    public RemoveLinkFromDoc(linkDoc?: Doc) { +        const state = this._editorView?.state; +        if (state && linkDoc && this._editorView) { +            var allLinks: any[] = []; +            state.doc.nodesBetween(0, state.doc.nodeSize - 2, (node: any, pos: number, parent: any) => { +                const foundMark = findLinkMark(node.marks); +                const newHrefs = foundMark?.attrs.allLinks.filter((a: any) => a.href.includes(linkDoc[Id])) || []; +                allLinks = newHrefs.length ? newHrefs : allLinks; +                return true; +            }); +            if (allLinks.length) { +                this._editorView.dispatch(removeMarkWithAttrs(state.tr, 0, state.doc.nodeSize - 2, state.schema.marks.linkAnchor, { allLinks })); +            } +        } +    } +    // removes all the specified link referneces from the selection.  +    // NOTE: as above, this won't work correctly if there are marks with overlapping but not exact sets of link references. +    public RemoveLinkFromSelection(allLinks: { href: string, title: string, linkId: string, targetId: string }[]) { +        const state = this._editorView?.state; +        if (state && this._editorView) { +            this._editorView.dispatch(removeMarkWithAttrs(state.tr, state.selection.from, state.selection.to, state.schema.marks.link, { allLinks })); +        } +    } +      linkOnDeselect: Map<string, string> = new Map();      doLinkOnDeselect() { @@ -181,8 +206,8 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp                      this.linkOnDeselect.set(key, value);                      const id = Utils.GenerateDeterministicGuid(this.dataDoc[Id] + key); -                    const allHrefs = [{ href: Utils.prepend("/doc/" + id), title: value, targetId: id }]; -                    const link = this._editorView.state.schema.marks.link.create({ allHrefs, location: "onRight", title: value }); +                    const allLinks = [{ href: Utils.prepend("/doc/" + id), title: value, targetId: id }]; +                    const link = this._editorView.state.schema.marks.linkAnchor.create({ allLinks, location: "onRight", title: value });                      const mval = this._editorView.state.schema.marks.metadataVal.create();                      const offset = (tx.selection.to === range!.end - 1 ? -1 : 0);                      tx = tx.addMark(textEndSelection - value.length + offset, textEndSelection, link).addMark(textEndSelection - value.length + offset, textEndSelection, mval); @@ -203,13 +228,14 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp              if (!this.dataDoc[AclSym]) {                  if (!this._applyingChange && json.replace(/"selection":.*/, "") !== curProto?.Data.replace(/"selection":.*/, "")) {                      this._applyingChange = true; -                    this.dataDoc[this.props.fieldKey + "-lastModified"] = new DateField(new Date(Date.now())); +                    (curText !== Cast(this.dataDoc[this.fieldKey], RichTextField)?.Text) && (this.dataDoc[this.props.fieldKey + "-lastModified"] = new DateField(new Date(Date.now())));                      if ((!curTemp && !curProto) || curText || curLayout?.Data.includes("dash")) { // if no template, or there's text that didn't come from the layout template, write it to the document. (if this is driven by a template, then this overwrites the template text which is intended)                          if (json !== curLayout?.Data) {                              !curText && tx.storedMarks?.map(m => m.type.name === "pFontSize" && (Doc.UserDoc().fontSize = this.layoutDoc._fontSize = m.attrs.fontSize));                              !curText && tx.storedMarks?.map(m => m.type.name === "pFontFamily" && (Doc.UserDoc().fontFamily = this.layoutDoc._fontFamily = m.attrs.fontFamily));                              this.dataDoc[this.props.fieldKey] = new RichTextField(json, curText);                              this.dataDoc[this.props.fieldKey + "-noTemplate"] = (curTemp?.Text || "") !== curText; // mark the data field as being split from the template if it has been edited +                            ScriptCast(this.layoutDoc.onTextChanged, null)?.script.run({ this: this.layoutDoc, self: this.rootDoc, text: curText });                          }                      } else { // if we've deleted all the text in a note driven by a template, then restore the template data                          this.dataDoc[this.props.fieldKey] = undefined; @@ -249,8 +275,8 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp              const lastSel = Math.min(flattened.length - 1, this._searchIndex);              this._searchIndex = ++this._searchIndex > flattened.length - 1 ? 0 : this._searchIndex;              const alink = DocUtils.MakeLink({ doc: this.rootDoc }, { doc: target }, "automatic")!; -            const allHrefs = [{ href: Utils.prepend("/doc/" + alink[Id]), title: "a link", targetId: target[Id], linkId: alink[Id] }]; -            const link = this._editorView.state.schema.marks.link.create({ allHrefs, title: "a link", location }); +            const allLinks = [{ href: Utils.prepend("/doc/" + alink[Id]), title: "a link", targetId: target[Id], linkId: alink[Id] }]; +            const link = this._editorView.state.schema.marks.linkAnchor.create({ allLinks, title: "a link", location });              this._editorView.dispatch(tr.addMark(flattened[lastSel].from, flattened[lastSel].to, link));          }      } @@ -331,8 +357,8 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp      }      protected createDropTarget = (ele: HTMLDivElement) => {          this.ProseRef = ele; -        this.dropDisposer?.(); -        ele && (this.dropDisposer = DragManager.MakeDropTarget(ele, this.drop.bind(this), this.layoutDoc)); +        this._dropDisposer?.(); +        ele && (this._dropDisposer = DragManager.MakeDropTarget(ele, this.drop.bind(this), this.layoutDoc));      }      @undoBatch @@ -658,9 +684,9 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp              let tr = state.tr.addMark(sel.from, sel.to, splitter);              sel.from !== sel.to && tr.doc.nodesBetween(sel.from, sel.to, (node: any, pos: number, parent: any) => {                  if (node.firstChild === null && node.marks.find((m: Mark) => m.type.name === schema.marks.splitter.name)) { -                    const allHrefs = [{ href, title, targetId, linkId }]; -                    allHrefs.push(...(node.marks.find((m: Mark) => m.type.name === schema.marks.link.name)?.attrs.allHrefs ?? [])); -                    const link = state.schema.marks.link.create({ allHrefs, title, location, linkId }); +                    const allLinks = [{ href, title, targetId, linkId }]; +                    allLinks.push(...(node.marks.find((m: Mark) => m.type.name === schema.marks.linkAnchor.name)?.attrs.allLinks ?? [])); +                    const link = state.schema.marks.linkAnchor.create({ allLinks, title, location, linkId });                      tr = tr.addMark(pos, pos + node.nodeSize, link);                  }              }); @@ -670,6 +696,12 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp          }      }      componentDidMount() { +        this._cachedLinks = DocListCast(this.Document.links); +        this._disposers.links = reaction(() => DocListCast(this.Document.links), // if a link is deleted, then remove all hyperlinks that reference it from the text's marks +            newLinks => { +                this._cachedLinks.forEach(l => !newLinks.includes(l) && this.RemoveLinkFromDoc(l)); +                this._cachedLinks = newLinks; +            });          this._disposers.buttonBar = reaction(              () => DocumentButtonBar.Instance,              instance => { @@ -700,8 +732,10 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp              incomingValue => {                  if (incomingValue !== undefined && this._editorView && !this._applyingChange) {                      const updatedState = JSON.parse(incomingValue); -                    this._editorView.updateState(EditorState.fromJSON(this.config, updatedState)); -                    this.tryUpdateHeight(); +                    if (JSON.stringify(this._editorView.state.toJSON()) !== JSON.stringify(updatedState)) { +                        this._editorView.updateState(EditorState.fromJSON(this.config, updatedState)); +                        this.tryUpdateHeight(); +                    }                  }              }          ); @@ -776,8 +810,8 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp                          return node.copy(content.frag);                      }                      const marks = [...node.marks]; -                    const linkIndex = marks.findIndex(mark => mark.type === editor.state.schema.marks.link); -                    return linkIndex !== -1 && marks[linkIndex].attrs.allHrefs.find((item: { href: string }) => scrollToLinkID === item.href.replace(/.*\/doc\//, "")) ? node : undefined; +                    const linkIndex = marks.findIndex(mark => mark.type === editor.state.schema.marks.linkAnchor); +                    return linkIndex !== -1 && marks[linkIndex].attrs.allLinks.find((item: { href: string }) => scrollToLinkID === item.href.replace(/.*\/doc\//, "")) ? node : undefined;                  };                  let start = 0; @@ -959,8 +993,8 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp              }              const marks = [...node.marks];              const linkIndex = marks.findIndex(mark => mark.type.name === "link"); -            const allHrefs = [{ href: Utils.prepend(`/doc/${linkId}`), title, linkId }]; -            const link = view.state.schema.mark(view.state.schema.marks.link, { allHrefs, location: "onRight", title, docref: true }); +            const allLinks = [{ href: Utils.prepend(`/doc/${linkId}`), title, linkId }]; +            const link = view.state.schema.mark(view.state.schema.marks.linkAnchor, { allLinks, location: "onRight", title, docref: true });              marks.splice(linkIndex === -1 ? 0 : linkIndex, 1, link);              return node.mark(marks);          } @@ -1014,7 +1048,9 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp          }          (selectOnLoad /* || !rtfField?.Text*/) && this._editorView!.focus();          // add user mark for any first character that was typed since the user mark that gets set in KeyPress won't have been called yet. -        this._editorView!.state.storedMarks = [...(this._editorView!.state.storedMarks ? this._editorView!.state.storedMarks : []), schema.marks.user_mark.create({ userid: Doc.CurrentUserEmail, modified: Math.floor(Date.now() / 1000) })]; +        if (!this._editorView!.state.storedMarks || !this._editorView!.state.storedMarks.some(mark => mark.type === schema.marks.user_mark)) { +            this._editorView!.state.storedMarks = [...(this._editorView!.state.storedMarks ? this._editorView!.state.storedMarks : []), schema.marks.user_mark.create({ userid: Doc.CurrentUserEmail, modified: Math.floor(Date.now() / 1000) })]; +        }      }      getFont(font: string) {          switch (font) { @@ -1204,18 +1240,27 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp          });      } -    public static HadSelection: boolean = false; -    onBlur = (e: any) => { -        FormattedTextBox.HadSelection = window.getSelection()?.toString() !== ""; -        //DictationManager.Controls.stop(false); +    public startUndoTypingBatch() { +        this._undoTyping = UndoManager.StartBatch("undoTyping"); +    } + +    public endUndoTypingBatch() { +        const wasUndoing = this._undoTyping;          if (this._undoTyping) {              this._undoTyping.end();              this._undoTyping = undefined;          } +        return wasUndoing; +    } +    public static HadSelection: boolean = false; +    onBlur = (e: any) => { +        FormattedTextBox.HadSelection = window.getSelection()?.toString() !== ""; +        //DictationManager.Controls.stop(false); +        this.endUndoTypingBatch();          this.doLinkOnDeselect();          // move the richtextmenu offscreen -        if (!RichTextMenu.Instance.Pinned && !RichTextMenu.Instance.overMenu) RichTextMenu.Instance.jumpTo(-300, -300); +        if (!RichTextMenu.Instance.Pinned) RichTextMenu.Instance.delayHide();      }      _lastTimedMark: Mark | undefined = undefined; @@ -1249,11 +1294,12 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp          // this._editorView!.dispatch(this._editorView!.state.tr.removeStoredMark(schema.marks.user_mark.create({})).addStoredMark(mark));          if (!this._undoTyping) { -            this._undoTyping = UndoManager.StartBatch("undoTyping"); +            this.startUndoTypingBatch();          }      }      ondrop = (eve: React.DragEvent) => { +        this._editorView!.dispatch(updateBullets(this._editorView!.state.tr, this._editorView!.state.schema));          eve.stopPropagation(); // drag n drop of text within text note will generate a new note if not caughst, as will dragging in from outside of Dash.      }      onscrolled = (ev: React.UIEvent) => { @@ -1321,7 +1367,8 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp                          color: this.props.color ? this.props.color : StrCast(this.layoutDoc[this.props.fieldKey + "-color"], this.props.hideOnLeave ? "white" : "inherit"),                          pointerEvents: interactive ? undefined : "none",                          fontSize: Cast(this.layoutDoc._fontSize, "number", null), -                        fontFamily: StrCast(this.layoutDoc._fontFamily, "inherit") +                        fontFamily: StrCast(this.layoutDoc._fontFamily, "inherit"), +                        transition: "opacity 1s"                      }}                      onContextMenu={this.specificContextMenu}                      onKeyDown={this.onKeyPress} @@ -1349,7 +1396,7 @@ export class FormattedTextBox extends ViewBoxAnnotatableComponent<(FieldViewProp                          onScroll={this.onscrolled} onDrop={this.ondrop} >                          <div className={`formattedTextBox-inner${rounded}${selclass}`} ref={this.createDropTarget}                              style={{ -                                padding: `${Math.max(0, NumCast(this.layoutDoc._yMargin, this.props.yMargin || 0) + selPad)}px  ${NumCast(this.layoutDoc._xMargin, this.props.xMargin || 0) + selPad}px`, +                                padding: this.layoutDoc._textBoxPadding ? StrCast(this.layoutDoc._textBoxPadding) : `${Math.max(0, NumCast(this.layoutDoc._yMargin, this.props.yMargin || 0) + selPad)}px  ${NumCast(this.layoutDoc._xMargin, this.props.xMargin || 0) + selPad}px`,                                  pointerEvents: !this.props.isSelected() ? ((this.layoutDoc.isLinkButton || this.props.onClick) ? "none" : "all") : undefined                              }}                          /> | 
