diff options
Diffstat (limited to 'src/client/util')
| -rw-r--r-- | src/client/util/DocumentManager.ts | 90 | ||||
| -rw-r--r-- | src/client/util/DragManager.ts | 65 | ||||
| -rw-r--r-- | src/client/util/History.ts | 122 | ||||
| -rw-r--r-- | src/client/util/RichTextSchema.tsx | 85 | ||||
| -rw-r--r-- | src/client/util/Scripting.ts | 7 | ||||
| -rw-r--r-- | src/client/util/SearchUtil.ts | 26 | ||||
| -rw-r--r-- | src/client/util/SelectionManager.ts | 21 | ||||
| -rw-r--r-- | src/client/util/TooltipTextMenu.scss | 26 | ||||
| -rw-r--r-- | src/client/util/TooltipTextMenu.tsx | 110 | ||||
| -rw-r--r-- | src/client/util/UndoManager.ts | 5 | ||||
| -rw-r--r-- | src/client/util/type_decls.d | 145 | 
11 files changed, 545 insertions, 157 deletions
| diff --git a/src/client/util/DocumentManager.ts b/src/client/util/DocumentManager.ts index 69964e2c9..65c4b9e4b 100644 --- a/src/client/util/DocumentManager.ts +++ b/src/client/util/DocumentManager.ts @@ -1,8 +1,14 @@  import { computed, observable } from 'mobx';  import { DocumentView } from '../views/nodes/DocumentView'; -import { Doc } from '../../new_fields/Doc'; -import { FieldValue, Cast } from '../../new_fields/Types'; +import { Doc, DocListCast, Opt } from '../../new_fields/Doc'; +import { FieldValue, Cast, NumCast, BoolCast } from '../../new_fields/Types';  import { listSpec } from '../../new_fields/Schema'; +import { undoBatch } from './UndoManager'; +import { CollectionDockingView } from '../views/collections/CollectionDockingView'; +import { CollectionView } from '../views/collections/CollectionView'; +import { CollectionPDFView } from '../views/collections/CollectionPDFView'; +import { CollectionVideoView } from '../views/collections/CollectionVideoView'; +import { Id } from '../../new_fields/FieldSymbols';  export class DocumentManager { @@ -24,28 +30,35 @@ export class DocumentManager {          // this.DocumentViews = new Array<DocumentView>();      } -    public getDocumentView(toFind: Doc): DocumentView | null { +    public getDocumentViewById(id: string, preferredCollection?: CollectionView | CollectionPDFView | CollectionVideoView): DocumentView | null {          let toReturn: DocumentView | null = null; +        let passes = preferredCollection ? [preferredCollection, undefined] : [undefined]; -        //gets document view that is in a freeform canvas collection -        DocumentManager.Instance.DocumentViews.map(view => { -            if (view.props.Document === toFind) { -                toReturn = view; -                return; -            } -        }); -        if (!toReturn) { +        for (let i = 0; i < passes.length; i++) {              DocumentManager.Instance.DocumentViews.map(view => { -                let doc = view.props.Document.proto; -                if (doc && Object.is(doc, toFind)) { +                if (view.props.Document[Id] === id && (!passes[i] || view.props.ContainingCollectionView === preferredCollection)) {                      toReturn = view; +                    return;                  }              }); +            if (!toReturn) { +                DocumentManager.Instance.DocumentViews.map(view => { +                    let doc = view.props.Document.proto; +                    if (doc && doc[Id] === id && (!passes[i] || view.props.ContainingCollectionView === preferredCollection)) { +                        toReturn = view; +                    } +                }); +            }          }          return toReturn;      } + +    public getDocumentView(toFind: Doc, preferredCollection?: CollectionView | CollectionPDFView | CollectionVideoView): DocumentView | null { +        return this.getDocumentViewById(toFind[Id], preferredCollection); +    } +      public getDocumentViews(toFind: Doc): DocumentView[] {          let toReturn: DocumentView[] = []; @@ -70,8 +83,8 @@ export class DocumentManager {      @computed      public get LinkedDocumentViews() { -        return DocumentManager.Instance.DocumentViews.reduce((pairs, dv) => { -            let linksList = Cast(dv.props.Document.linkedToDocs, listSpec(Doc)); +        return DocumentManager.Instance.DocumentViews.filter(dv => dv.isSelected() || BoolCast(dv.props.Document.libraryBrush, false)).reduce((pairs, dv) => { +            let linksList = DocListCast(dv.props.Document.linkedToDocs);              if (linksList && linksList.length) {                  pairs.push(...linksList.reduce((pairs, link) => {                      if (link) { @@ -84,7 +97,54 @@ export class DocumentManager {                      return pairs;                  }, [] as { a: DocumentView, b: DocumentView, l: Doc }[]));              } +            linksList = DocListCast(dv.props.Document.linkedFromDocs); +            if (linksList && linksList.length) { +                pairs.push(...linksList.reduce((pairs, link) => { +                    if (link) { +                        let linkFromDoc = FieldValue(Cast(link.linkedFrom, Doc)); +                        if (linkFromDoc) { +                            DocumentManager.Instance.getDocumentViews(linkFromDoc).map(docView1 => +                                pairs.push({ a: dv, b: docView1, l: link })); +                        } +                    } +                    return pairs; +                }, pairs)); +            }              return pairs;          }, [] as { a: DocumentView, b: DocumentView, l: Doc }[]);      } + +    @undoBatch +    public jumpToDocument = async (docDelegate: Doc, forceDockFunc: boolean = false, dockFunc?: (doc: Doc) => void, linkPage?: number): Promise<void> => { +        let doc = Doc.GetProto(docDelegate); +        const contextDoc = await Cast(doc.annotationOn, Doc); +        if (contextDoc) { +            const page = NumCast(doc.page, linkPage || 0); +            const curPage = NumCast(contextDoc.curPage, page); +            if (page !== curPage) contextDoc.curPage = page; +        } +        let docView: DocumentView | null; +        // using forceDockFunc as a flag for splitting linked to doc to the right...can change later if needed +        if (!forceDockFunc && (docView = DocumentManager.Instance.getDocumentView(doc))) { +            docView.props.Document.libraryBrush = true; +            if (linkPage !== undefined) docView.props.Document.curPage = linkPage; +            docView.props.focus(docView.props.Document); +        } else { +            if (!contextDoc) { +                const actualDoc = Doc.MakeAlias(docDelegate); +                actualDoc.libraryBrush = true; +                if (linkPage !== undefined) actualDoc.curPage = linkPage; +                (dockFunc || CollectionDockingView.Instance.AddRightSplit)(actualDoc); +            } else { +                let contextView: DocumentView | null; +                docDelegate.libraryBrush = true; +                if (!forceDockFunc && (contextView = DocumentManager.Instance.getDocumentView(contextDoc))) { +                    contextDoc.panTransformType = "Ease"; +                    contextView.props.focus(contextDoc); +                } else { +                    (dockFunc || CollectionDockingView.Instance.AddRightSplit)(contextDoc); +                } +            } +        } +    }  }
\ No newline at end of file diff --git a/src/client/util/DragManager.ts b/src/client/util/DragManager.ts index a3dbe6e43..1e84a0db0 100644 --- a/src/client/util/DragManager.ts +++ b/src/client/util/DragManager.ts @@ -1,35 +1,33 @@ -import { action } from "mobx"; +import { action, runInAction } from "mobx"; +import { Doc, DocListCastAsync } from "../../new_fields/Doc"; +import { Cast } from "../../new_fields/Types";  import { emptyFunction } from "../../Utils";  import { CollectionDockingView } from "../views/collections/CollectionDockingView";  import * as globalCssVariables from "../views/globalCssVariables.scss"; -import { MainOverlayTextBox } from "../views/MainOverlayTextBox"; -import { Doc } from "../../new_fields/Doc"; -import { Cast } from "../../new_fields/Types"; -import { listSpec } from "../../new_fields/Schema";  export type dropActionType = "alias" | "copy" | undefined; -export function SetupDrag(_reference: React.RefObject<HTMLDivElement>, docFunc: () => Doc, moveFunc?: DragManager.MoveFunction, dropAction?: dropActionType) { -    let onRowMove = action((e: PointerEvent): void => { +export function SetupDrag(_reference: React.RefObject<HTMLElement>, docFunc: () => Doc | Promise<Doc>, moveFunc?: DragManager.MoveFunction, dropAction?: dropActionType) { +    let onRowMove = async (e: PointerEvent) => {          e.stopPropagation();          e.preventDefault();          document.removeEventListener("pointermove", onRowMove);          document.removeEventListener('pointerup', onRowUp); -        var dragData = new DragManager.DocumentDragData([docFunc()]); +        var dragData = new DragManager.DocumentDragData([await docFunc()]);          dragData.dropAction = dropAction;          dragData.moveDocument = moveFunc;          DragManager.StartDocumentDrag([_reference.current!], dragData, e.x, e.y); -    }); -    let onRowUp = action((e: PointerEvent): void => { +    }; +    let onRowUp = (): void => {          document.removeEventListener("pointermove", onRowMove);          document.removeEventListener('pointerup', onRowUp); -    }); -    let onItemDown = (e: React.PointerEvent) => { +    }; +    let onItemDown = async (e: React.PointerEvent) => {          // if (this.props.isSelected() || this.props.isTopMost) {          if (e.button === 0) {              e.stopPropagation(); -            if (e.shiftKey) { -                CollectionDockingView.Instance.StartOtherDrag([docFunc()], e); +            if (e.shiftKey && CollectionDockingView.Instance) { +                CollectionDockingView.Instance.StartOtherDrag([await docFunc()], e);              } else {                  document.addEventListener("pointermove", onRowMove);                  document.addEventListener("pointerup", onRowUp); @@ -42,12 +40,14 @@ export function SetupDrag(_reference: React.RefObject<HTMLDivElement>, docFunc:  export async function DragLinksAsDocuments(dragEle: HTMLElement, x: number, y: number, sourceDoc: Doc) {      let srcTarg = sourceDoc.proto; -    let draggedDocs = srcTarg ? -        Cast(srcTarg.linkedToDocs, listSpec(Doc), []).map(linkDoc => -            Cast(linkDoc.linkedTo, Doc) as Doc) : []; -    let draggedFromDocs = srcTarg ? -        Cast(srcTarg.linkedFromDocs, listSpec(Doc), []).map(linkDoc => -            Cast(linkDoc.linkedFrom, Doc) as Doc) : []; +    let draggedDocs: Doc[] = []; +    let draggedFromDocs: Doc[] = []; +    if (srcTarg) { +        let linkToDocs = await DocListCastAsync(srcTarg.linkedToDocs); +        let linkFromDocs = await DocListCastAsync(srcTarg.linkedFromDocs); +        if (linkToDocs) draggedDocs = linkToDocs.map(linkDoc => Cast(linkDoc.linkedTo, Doc) as Doc); +        if (linkFromDocs) draggedFromDocs = linkFromDocs.map(linkDoc => Cast(linkDoc.linkedFrom, Doc) as Doc); +    }      draggedDocs.push(...draggedFromDocs);      if (draggedDocs.length) {          let moddrag: Doc[] = []; @@ -105,7 +105,8 @@ export namespace DragManager {          constructor(              readonly x: number,              readonly y: number, -            readonly data: { [id: string]: any } +            readonly data: { [id: string]: any }, +            readonly mods: string          ) { }      } @@ -152,12 +153,15 @@ export namespace DragManager {          [id: string]: any;      } +    export let StartDragFunctions: (() => void)[] = []; +      export function StartDocumentDrag(eles: HTMLElement[], dragData: DocumentDragData, downX: number, downY: number, options?: DragOptions) { +        runInAction(() => StartDragFunctions.map(func => func()));          StartDrag(eles, dragData, downX, downY, options,              (dropData: { [id: string]: any }) => -                (dropData.droppedDocuments = dragData.userDropAction == "alias" || (!dragData.userDropAction && dragData.dropAction == "alias") ? +                (dropData.droppedDocuments = dragData.userDropAction === "alias" || (!dragData.userDropAction && dragData.dropAction === "alias") ?                      dragData.draggedDocuments.map(d => Doc.MakeAlias(d)) : -                    dragData.userDropAction == "copy" || (!dragData.userDropAction && dragData.dropAction == "copy") ? +                    dragData.userDropAction === "copy" || (!dragData.userDropAction && dragData.dropAction === "copy") ?                          dragData.draggedDocuments.map(d => Doc.MakeCopy(d, true)) :                          dragData.draggedDocuments));      } @@ -170,6 +174,7 @@ export namespace DragManager {          droppedDocuments: Doc[] = [];          linkSourceDocument: Doc;          blacklist: Doc[]; +        dontClearTextBox?: boolean;          [id: string]: any;      } @@ -186,7 +191,6 @@ export namespace DragManager {              dragDiv.style.pointerEvents = "none";              DragManager.Root().appendChild(dragDiv);          } -        MainOverlayTextBox.Instance.SetTextDoc();          let scaleXs: number[] = [];          let scaleYs: number[] = []; @@ -214,6 +218,7 @@ export namespace DragManager {              dragElement.style.top = "0";              dragElement.style.bottom = "";              dragElement.style.left = "0"; +            dragElement.style.color = "black";              dragElement.style.transformOrigin = "0 0";              dragElement.style.zIndex = globalCssVariables.contextMenuZindex;// "1000";              dragElement.style.transform = `translate(${x}px, ${y}px) scale(${scaleX}, ${scaleY})`; @@ -259,7 +264,7 @@ export namespace DragManager {              if (dragData instanceof DocumentDragData) {                  dragData.userDropAction = e.ctrlKey || e.altKey ? "alias" : undefined;              } -            if (e.shiftKey) { +            if (e.shiftKey && CollectionDockingView.Instance) {                  AbortDrag();                  CollectionDockingView.Instance.StartOtherDrag(docs, {                      pageX: e.pageX, @@ -274,13 +279,12 @@ export namespace DragManager {              lastX = e.pageX;              lastY = e.pageY;              dragElements.map((dragElement, i) => (dragElement.style.transform = -                `translate(${(xs[i] += moveX)}px, ${(ys[i] += moveY)}px)  -                scale(${scaleXs[i]}, ${scaleYs[i]})`) +                `translate(${(xs[i] += moveX)}px, ${(ys[i] += moveY)}px)  scale(${scaleXs[i]}, ${scaleYs[i]})`)              );          };          let hideDragElements = () => { -            dragElements.map(dragElement => dragElement.parentNode == dragDiv && dragDiv.removeChild(dragElement)); +            dragElements.map(dragElement => dragElement.parentNode === dragDiv && dragDiv.removeChild(dragElement));              eles.map(ele => (ele.hidden = false));          };          let endDrag = () => { @@ -289,7 +293,7 @@ export namespace DragManager {              if (options) {                  options.handlers.dragComplete({});              } -        } +        };          AbortDrag = () => {              hideDragElements(); @@ -330,7 +334,8 @@ export namespace DragManager {                      detail: {                          x: e.x,                          y: e.y, -                        data: dragData +                        data: dragData, +                        mods: e.altKey ? "AltKey" : ""                      }                  })              ); diff --git a/src/client/util/History.ts b/src/client/util/History.ts new file mode 100644 index 000000000..545ea8629 --- /dev/null +++ b/src/client/util/History.ts @@ -0,0 +1,122 @@ +import { Doc, Opt, Field } from "../../new_fields/Doc"; +import { DocServer } from "../DocServer"; +import { RouteStore } from "../../server/RouteStore"; +import { MainView } from "../views/MainView"; + +export namespace HistoryUtil { +    export interface DocInitializerList { +        [key: string]: string | number; +    } + +    export interface DocUrl { +        type: "doc"; +        docId: string; +        initializers: { +            [docId: string]: DocInitializerList; +        }; +    } + +    export type ParsedUrl = DocUrl; + +    // const handlers: ((state: ParsedUrl | null) => void)[] = []; +    function onHistory(e: PopStateEvent) { +        if (window.location.pathname !== RouteStore.home) { +            const url = e.state as ParsedUrl || parseUrl(window.location.pathname); +            if (url) { +                switch (url.type) { +                    case "doc": +                        onDocUrl(url); +                        break; +                } +            } +        } +        // for (const handler of handlers) { +        //     handler(e.state); +        // } +    } + +    export function pushState(state: ParsedUrl) { +        history.pushState(state, "", createUrl(state)); +    } + +    export function replaceState(state: ParsedUrl) { +        history.replaceState(state, "", createUrl(state)); +    } + +    function copyState(state: ParsedUrl): ParsedUrl { +        return JSON.parse(JSON.stringify(state)); +    } + +    export function getState(): ParsedUrl { +        return copyState(history.state); +    } + +    // export function addHandler(handler: (state: ParsedUrl | null) => void) { +    //     handlers.push(handler); +    // } + +    // export function removeHandler(handler: (state: ParsedUrl | null) => void) { +    //     const index = handlers.indexOf(handler); +    //     if (index !== -1) { +    //         handlers.splice(index, 1); +    //     } +    // } + +    export function parseUrl(pathname: string): ParsedUrl | undefined { +        let pathnameSplit = pathname.split("/"); +        if (pathnameSplit.length !== 2) { +            return undefined; +        } +        const type = pathnameSplit[0]; +        const data = pathnameSplit[1]; + +        if (type === "doc") { +            const s = data.split("?"); +            if (s.length < 1 || s.length > 2) { +                return undefined; +            } +            const docId = s[0]; +            const initializers = s.length === 2 ? JSON.parse(decodeURIComponent(s[1])) : {}; +            return { +                type: "doc", +                docId, +                initializers +            }; +        } + +        return undefined; +    } + +    export function createUrl(params: ParsedUrl): string { +        let baseUrl = DocServer.prepend(`/${params.type}`); +        switch (params.type) { +            case "doc": +                const initializers = encodeURIComponent(JSON.stringify(params.initializers)); +                const id = params.docId; +                let url = baseUrl + `/${id}`; +                if (Object.keys(params.initializers).length) { +                    url += `?${initializers}`; +                } +                return url; +        } +        return ""; +    } + +    export async function initDoc(id: string, initializer: DocInitializerList) { +        const doc = await DocServer.GetRefField(id); +        if (!(doc instanceof Doc)) { +            return; +        } +        Doc.assign(doc, initializer); +    } + +    async function onDocUrl(url: DocUrl) { +        const field = await DocServer.GetRefField(url.docId); +        await Promise.all(Object.keys(url.initializers).map(id => initDoc(id, url.initializers[id]))); +        if (field instanceof Doc) { +            MainView.Instance.openWorkspace(field, true); +        } +    } + +    window.onpopstate = onHistory; +} diff --git a/src/client/util/RichTextSchema.tsx b/src/client/util/RichTextSchema.tsx index 9ef71e305..3e3e98206 100644 --- a/src/client/util/RichTextSchema.tsx +++ b/src/client/util/RichTextSchema.tsx @@ -84,6 +84,7 @@ export const nodes: { [index: string]: NodeSpec } = {          inline: true,          attrs: {              src: {}, +            width: { default: "100px" },              alt: { default: null },              title: { default: null }          }, @@ -94,11 +95,16 @@ export const nodes: { [index: string]: NodeSpec } = {                  return {                      src: dom.getAttribute("src"),                      title: dom.getAttribute("title"), -                    alt: dom.getAttribute("alt") +                    alt: dom.getAttribute("alt"), +                    width: Math.min(100, Number(dom.getAttribute("width"))),                  };              }          }], -        toDOM(node: any) { return ["img", node.attrs]; } +        // TODO if we don't define toDom, something weird happens: dragging the image will not move it but clone it. Why? +        toDOM(node) { +            const attrs = { style: `width: ${node.attrs.width}` }; +            return ["img", { ...node.attrs, ...attrs }]; +        }      },      // :: NodeSpec A hard line break, represented in the DOM as `<br>`. @@ -290,6 +296,13 @@ export const marks: { [index: string]: MarkSpec } = {          }]      }, +    p14: { +        parseDOM: [{ style: 'font-size: 14px;' }], +        toDOM: () => ['span', { +            style: 'font-size: 14px;' +        }] +    }, +      p16: {          parseDOM: [{ style: 'font-size: 16px;' }],          toDOM: () => ['span', { @@ -325,7 +338,75 @@ export const marks: { [index: string]: MarkSpec } = {          }]      },  }; +function getFontSize(element: any) { +    return parseFloat((getComputedStyle(element) as any).fontSize); +} + +export class ImageResizeView { +    _handle: HTMLElement; +    _img: HTMLElement; +    _outer: HTMLElement; +    constructor(node: any, view: any, getPos: any) { +        this._handle = document.createElement("span"); +        this._img = document.createElement("img"); +        this._outer = document.createElement("span"); +        this._outer.style.position = "relative"; +        this._outer.style.width = node.attrs.width; +        this._outer.style.display = "inline-block"; +        this._outer.style.overflow = "hidden"; + +        this._img.setAttribute("src", node.attrs.src); +        this._img.style.width = "100%"; +        this._handle.style.position = "absolute"; +        this._handle.style.width = "20px"; +        this._handle.style.height = "20px"; +        this._handle.style.backgroundColor = "blue"; +        this._handle.style.borderRadius = "15px"; +        this._handle.style.display = "none"; +        this._handle.style.bottom = "-10px"; +        this._handle.style.right = "-10px"; +        let self = this; +        this._handle.onpointerdown = function (e: any) { +            e.preventDefault(); +            e.stopPropagation(); +            const startX = e.pageX; +            const startWidth = parseFloat(node.attrs.width); +            const onpointermove = (e: any) => { +                const currentX = e.pageX; +                const diffInPx = currentX - startX; +                self._outer.style.width = `${startWidth + diffInPx}`; +            }; + +            const onpointerup = () => { +                document.removeEventListener("pointermove", onpointermove); +                document.removeEventListener("pointerup", onpointerup); +                view.dispatch( +                    view.state.tr.setNodeMarkup(getPos(), null, +                        { src: node.attrs.src, width: self._outer.style.width }) +                        .setSelection(view.state.selection)); +            }; + +            document.addEventListener("pointermove", onpointermove); +            document.addEventListener("pointerup", onpointerup); +        }; + +        this._outer.appendChild(this._handle); +        this._outer.appendChild(this._img); +        (this as any).dom = this._outer; +    } +    selectNode() { +        this._img.classList.add("ProseMirror-selectednode"); + +        this._handle.style.display = ""; +    } + +    deselectNode() { +        this._img.classList.remove("ProseMirror-selectednode"); + +        this._handle.style.display = "none"; +    } +}  // :: Schema  // This schema rougly corresponds to the document schema used by  // [CommonMark](http://commonmark.org/), minus the list elements, diff --git a/src/client/util/Scripting.ts b/src/client/util/Scripting.ts index e45f61c11..beaf5cb03 100644 --- a/src/client/util/Scripting.ts +++ b/src/client/util/Scripting.ts @@ -41,7 +41,7 @@ export type CompileResult = CompiledScript | CompileError;  function Run(script: string | undefined, customParams: string[], diagnostics: any[], originalScript: string, options: ScriptOptions): CompileResult {      const errors = diagnostics.some(diag => diag.category === ts.DiagnosticCategory.Error); -    if (errors || !script) { +    if ((options.typecheck !== false && errors) || !script) {          return { compiled: false, errors: diagnostics };      } @@ -131,10 +131,11 @@ export interface ScriptOptions {      addReturn?: boolean;      params?: { [name: string]: string };      capturedVariables?: { [name: string]: Field }; +    typecheck?: boolean;  }  export function CompileScript(script: string, options: ScriptOptions = {}): CompileResult { -    const { requiredType = "", addReturn = false, params = {}, capturedVariables = {} } = options; +    const { requiredType = "", addReturn = false, params = {}, capturedVariables = {}, typecheck = true } = options;      let host = new ScriptingCompilerHost;      let paramNames: string[] = [];      if ("this" in params || "this" in capturedVariables) { @@ -158,7 +159,7 @@ export function CompileScript(script: string, options: ScriptOptions = {}): Comp          ${addReturn ? `return ${script};` : script}      })`;      host.writeFile("file.ts", funcScript); -    host.writeFile('node_modules/typescript/lib/lib.d.ts', typescriptlib); +    if (typecheck) host.writeFile('node_modules/typescript/lib/lib.d.ts', typescriptlib);      let program = ts.createProgram(["file.ts"], {}, host);      let testResult = program.emit();      let outputText = host.readFile("file.js"); diff --git a/src/client/util/SearchUtil.ts b/src/client/util/SearchUtil.ts new file mode 100644 index 000000000..28ec8ca14 --- /dev/null +++ b/src/client/util/SearchUtil.ts @@ -0,0 +1,26 @@ +import * as rp from 'request-promise'; +import { DocServer } from '../DocServer'; +import { Doc } from '../../new_fields/Doc'; +import { Id } from '../../new_fields/FieldSymbols'; + +export namespace SearchUtil { +    export function Search(query: string, returnDocs: true): Promise<Doc[]>; +    export function Search(query: string, returnDocs: false): Promise<string[]>; +    export async function Search(query: string, returnDocs: boolean) { +        const ids = JSON.parse(await rp.get(DocServer.prepend("/search"), { +            qs: { query } +        })); +        if (!returnDocs) { +            return ids; +        } +        const docMap = await DocServer.GetRefFields(ids); +        return ids.map((id: string) => docMap[id]).filter((doc: any) => doc instanceof Doc); +    } + +    export async function GetAliasesOfDocument(doc: Doc): Promise<Doc[]> { +        const proto = await Doc.GetT(doc, "proto", Doc, true); +        const protoId = (proto || doc)[Id]; +        return Search(`proto_i:"${protoId}"`, true); +        // return Search(`{!join from=id to=proto_i}id:${protoId}`, true); +    } +}
\ No newline at end of file diff --git a/src/client/util/SelectionManager.ts b/src/client/util/SelectionManager.ts index fe5acf4b4..8c92c2023 100644 --- a/src/client/util/SelectionManager.ts +++ b/src/client/util/SelectionManager.ts @@ -1,7 +1,8 @@  import { observable, action } from "mobx";  import { Doc } from "../../new_fields/Doc"; -import { MainOverlayTextBox } from "../views/MainOverlayTextBox";  import { DocumentView } from "../views/nodes/DocumentView"; +import { FormattedTextBox } from "../views/nodes/FormattedTextBox"; +import { NumCast } from "../../new_fields/Types";  export namespace SelectionManager {      class Manager { @@ -25,7 +26,7 @@ export namespace SelectionManager {          DeselectAll(): void {              manager.SelectedDocuments.map(dv => dv.props.whenActiveChanged(false));              manager.SelectedDocuments = []; -            MainOverlayTextBox.Instance.SetTextDoc(); +            FormattedTextBox.InputBoxOverlay = undefined;          }          @action          ReselectAll() { @@ -68,4 +69,20 @@ export namespace SelectionManager {      export function SelectedDocuments(): Array<DocumentView> {          return manager.SelectedDocuments;      } +    export function ViewsSortedVertically(): DocumentView[] { +        let sorted = SelectionManager.SelectedDocuments().slice().sort((doc1, doc2) => { +            if (NumCast(doc1.props.Document.x) > NumCast(doc2.props.Document.x)) return 1; +            if (NumCast(doc1.props.Document.x) < NumCast(doc2.props.Document.x)) return -1; +            return 0; +        }); +        return sorted; +    } +    export function ViewsSortedHorizontally(): DocumentView[] { +        let sorted = SelectionManager.SelectedDocuments().slice().sort((doc1, doc2) => { +            if (NumCast(doc1.props.Document.y) > NumCast(doc2.props.Document.y)) return 1; +            if (NumCast(doc1.props.Document.y) < NumCast(doc2.props.Document.y)) return -1; +            return 0; +        }); +        return sorted; +    }  } diff --git a/src/client/util/TooltipTextMenu.scss b/src/client/util/TooltipTextMenu.scss index 70d9ad772..437da0d63 100644 --- a/src/client/util/TooltipTextMenu.scss +++ b/src/client/util/TooltipTextMenu.scss @@ -162,19 +162,6 @@    .ProseMirror-icon span {      vertical-align: text-top;    }   -.ProseMirror-example-setup-style hr { -    padding: 2px 10px; -    border: none; -    margin: 1em 0; -  } -   -  .ProseMirror-example-setup-style hr:after { -    content: ""; -    display: block; -    height: 1px; -    background-color: silver; -    line-height: 2px; -  }    .ProseMirror ul, .ProseMirror ol {      padding-left: 30px; @@ -255,6 +242,19 @@      -webkit-transform: translateX(-50%);      transform: translateX(-50%);      pointer-events: all; +    .ProseMirror-example-setup-style hr { +      padding: 2px 10px; +      border: none; +      margin: 1em 0; +    } +     +    .ProseMirror-example-setup-style hr:after { +      content: ""; +      display: block; +      height: 1px; +      background-color: silver; +      line-height: 2px; +    }  }  .tooltipMenu:before { diff --git a/src/client/util/TooltipTextMenu.tsx b/src/client/util/TooltipTextMenu.tsx index 68a73375e..f517f757a 100644 --- a/src/client/util/TooltipTextMenu.tsx +++ b/src/client/util/TooltipTextMenu.tsx @@ -6,19 +6,28 @@ import { keymap } from "prosemirror-keymap";  import { EditorState, Transaction, NodeSelection, TextSelection } from "prosemirror-state";  import { EditorView } from "prosemirror-view";  import { schema } from "./RichTextSchema"; -import { Schema, NodeType, MarkType } from "prosemirror-model"; +import { Schema, NodeType, MarkType, Mark } from "prosemirror-model";  import React = require("react");  import "./TooltipTextMenu.scss";  const { toggleMark, setBlockType, wrapIn } = require("prosemirror-commands");  import { library } from '@fortawesome/fontawesome-svg-core';  import { wrapInList, bulletList, liftListItem, listItem, } from 'prosemirror-schema-list'; -import { liftTarget } from 'prosemirror-transform'; +import { liftTarget, RemoveMarkStep, AddMarkStep } from 'prosemirror-transform';  import {      faListUl,  } from '@fortawesome/free-solid-svg-icons';  import { FontAwesomeIcon } from '@fortawesome/react-fontawesome';  import { FieldViewProps } from "../views/nodes/FieldView";  import { throwStatement } from "babel-types"; +import { View } from "@react-pdf/renderer"; +import { DragManager } from "./DragManager"; +import { Doc, Opt, Field } from "../../new_fields/Doc"; +import { Utils } from "../northstar/utils/Utils"; +import { DocServer } from "../DocServer"; +import { CollectionFreeFormDocumentView } from "../views/nodes/CollectionFreeFormDocumentView"; +import { CollectionDockingView } from "../views/collections/CollectionDockingView"; +import { DocumentManager } from "./DocumentManager"; +import { Id } from "../../new_fields/FieldSymbols";  const SVG = "http://www.w3.org/2000/svg"; @@ -37,6 +46,9 @@ export class TooltipTextMenu {      private fontStylesToName: Map<MarkType, string>;      private listTypeToIcon: Map<NodeType, string>;      private fontSizeIndicator: HTMLSpanElement = document.createElement("span"); +    private linkEditor?: HTMLDivElement; +    private linkText?: HTMLDivElement; +    private linkDrag?: HTMLImageElement;      //dropdown doms      private fontSizeDom?: Node;      private fontStyleDom?: Node; @@ -94,6 +106,7 @@ export class TooltipTextMenu {          this.fontSizeToNum = new Map();          this.fontSizeToNum.set(schema.marks.p10, 10);          this.fontSizeToNum.set(schema.marks.p12, 12); +        this.fontSizeToNum.set(schema.marks.p14, 14);          this.fontSizeToNum.set(schema.marks.p16, 16);          this.fontSizeToNum.set(schema.marks.p24, 24);          this.fontSizeToNum.set(schema.marks.p32, 32); @@ -149,6 +162,97 @@ export class TooltipTextMenu {          this.tooltip.appendChild(this.fontStyleDom);      } +    updateLinkMenu() { +        if (!this.linkEditor || !this.linkText) { +            this.linkEditor = document.createElement("div"); +            this.linkEditor.style.color = "white"; +            this.linkText = document.createElement("div"); +            this.linkText.style.cssFloat = "left"; +            this.linkText.style.marginRight = "5px"; +            this.linkText.style.marginLeft = "5px"; +            this.linkText.setAttribute("contenteditable", "true"); +            this.linkText.style.whiteSpace = "nowrap"; +            this.linkText.style.width = "150px"; +            this.linkText.style.overflow = "hidden"; +            this.linkText.style.color = "white"; +            this.linkText.onpointerdown = (e: PointerEvent) => { e.stopPropagation(); }; +            let linkBtn = document.createElement("div"); +            linkBtn.textContent = ">>"; +            linkBtn.style.width = "20px"; +            linkBtn.style.height = "20px"; +            linkBtn.style.color = "white"; +            linkBtn.style.cssFloat = "left"; +            linkBtn.onpointerdown = (e: PointerEvent) => { +                let node = this.view.state.selection.$from.nodeAfter; +                let link = node && node.marks.find(m => m.type.name === "link"); +                if (link) { +                    let href: string = link.attrs.href; +                    if (href.indexOf(DocServer.prepend("/doc/")) === 0) { +                        let docid = href.replace(DocServer.prepend("/doc/"), ""); +                        DocServer.GetRefField(docid).then(action((f: Opt<Field>) => { +                            if (f instanceof Doc) { +                                if (DocumentManager.Instance.getDocumentView(f)) { +                                    DocumentManager.Instance.getDocumentView(f)!.props.focus(f); +                                } +                                else if (CollectionDockingView.Instance) CollectionDockingView.Instance.AddRightSplit(f); +                            } +                        })); +                    } +                    // TODO This should have an else to handle external links +                    e.stopPropagation(); +                    e.preventDefault(); +                } +            }; +            this.linkDrag = document.createElement("img"); +            this.linkDrag.src = "https://seogurusnyc.com/wp-content/uploads/2016/12/link-1.png"; +            this.linkDrag.style.width = "20px"; +            this.linkDrag.style.height = "20px"; +            this.linkDrag.style.color = "white"; +            this.linkDrag.style.background = "black"; +            this.linkDrag.style.cssFloat = "left"; +            this.linkDrag.onpointerdown = (e: PointerEvent) => { +                let dragData = new DragManager.LinkDragData(this.editorProps.Document); +                dragData.dontClearTextBox = true; +                DragManager.StartLinkDrag(this.linkDrag!, dragData, e.clientX, e.clientY, +                    { +                        handlers: { +                            dragComplete: action(() => { +                                let m = dragData.droppedDocuments; +                                this.makeLink(DocServer.prepend("/doc/" + m[0][Id])); +                            }), +                        }, +                        hideSource: false +                    }); +            }; +            this.linkEditor.appendChild(this.linkDrag); +            this.linkEditor.appendChild(this.linkText); +            this.linkEditor.appendChild(linkBtn); +            this.tooltip.appendChild(this.linkEditor); +        } + +        let node = this.view.state.selection.$from.nodeAfter; +        let link = node && node.marks.find(m => m.type.name === "link"); +        this.linkText.textContent = link ? link.attrs.href : "-empty-"; + +        this.linkText.onkeydown = (e: KeyboardEvent) => { +            if (e.key === "Enter") { +                this.makeLink(this.linkText!.textContent!); +                e.stopPropagation(); +                e.preventDefault(); +            } +        }; +        this.tooltip.appendChild(this.linkEditor); +    } + +    makeLink = (target: string) => { +        let node = this.view.state.selection.$from.nodeAfter; +        let link = this.view.state.schema.mark(this.view.state.schema.marks.link, { href: target }); +        this.view.dispatch(this.view.state.tr.removeMark(this.view.state.selection.from, this.view.state.selection.to, this.view.state.schema.marks.link)); +        this.view.dispatch(this.view.state.tr.addMark(this.view.state.selection.from, this.view.state.selection.to, link)); +        node = this.view.state.selection.$from.nodeAfter; +        link = node && node.marks.find(m => m.type.name === "link"); +    } +      //will display a remove-list-type button if selection is in list, otherwise will show list type dropdown      updateListItemDropdown(label: string, listTypeBtn: Node) {          //remove old btn @@ -347,6 +451,8 @@ export class TooltipTextMenu {          } else { //multiple font sizes selected              this.updateFontSizeDropdown("Various");          } + +        this.updateLinkMenu();      }      //finds all active marks on selection in given group diff --git a/src/client/util/UndoManager.ts b/src/client/util/UndoManager.ts index 0b5280c4a..c0ed015bd 100644 --- a/src/client/util/UndoManager.ts +++ b/src/client/util/UndoManager.ts @@ -1,7 +1,6 @@  import { observable, action, runInAction } from "mobx";  import 'source-map-support/register';  import { Without } from "../../Utils"; -import { string } from "prop-types";  function getBatchName(target: any, key: string | symbol): string {      let keyName = key.toString(); @@ -94,6 +93,10 @@ export namespace UndoManager {          return redoStack.length > 0;      } +    export function PrintBatches(): void { +        GetOpenBatches().forEach(batch => console.log(batch.batchName)); +    } +      let openBatches: Batch[] = [];      export function GetOpenBatches(): Without<Batch, 'end'>[] {          return openBatches; diff --git a/src/client/util/type_decls.d b/src/client/util/type_decls.d index 47c3481b2..557f6f574 100644 --- a/src/client/util/type_decls.d +++ b/src/client/util/type_decls.d @@ -119,104 +119,71 @@ interface URL {      username: string;      toJSON(): string;  } - -declare type FieldId = string; - -declare abstract class Field { -    Id: FieldId; -    abstract ToScriptString(): string; -    abstract TrySetValue(value: any): boolean; -    abstract GetValue(): any; -    abstract Copy(): Field; +interface PromiseLike<T> { +    then<TResult1 = T, TResult2 = never>(onfulfilled?: ((value: T) => TResult1 | PromiseLike<TResult1>) | undefined | null, onrejected?: ((reason: any) => TResult2 | PromiseLike<TResult2>) | undefined | null): PromiseLike<TResult1 | TResult2>;  } - -declare abstract class BasicField<T> extends Field { -    constructor(data: T); -    Data: T; -    TrySetValue(value: any): boolean; -    GetValue(): any; +interface Promise<T> { +    then<TResult1 = T, TResult2 = never>(onfulfilled?: ((value: T) => TResult1 | PromiseLike<TResult1>) | undefined | null, onrejected?: ((reason: any) => TResult2 | PromiseLike<TResult2>) | undefined | null): Promise<TResult1 | TResult2>; +    catch<TResult = never>(onrejected?: ((reason: any) => TResult | PromiseLike<TResult>) | undefined | null): Promise<T | TResult>;  } -declare class TextField extends BasicField<string>{ -    constructor(); -    constructor(data: string); -    ToScriptString(): string; -    Copy(): Field; -} -declare class ImageField extends BasicField<URL>{ +declare const Update: unique symbol; +declare const Self: unique symbol; +declare const SelfProxy: unique symbol; +declare const HandleUpdate: unique symbol; +declare const Id: unique symbol; +declare const OnUpdate: unique symbol; +declare const Parent: unique symbol; +declare const Copy: unique symbol; +declare const ToScriptString: unique symbol; + +declare abstract class RefField { +    readonly [Id]: FieldId; +      constructor(); -    constructor(data: URL); -    ToScriptString(): string; -    Copy(): Field; +    // protected [HandleUpdate]?(diff: any): void; + +    // abstract [ToScriptString](): string;  } -declare class HtmlField extends BasicField<string>{ -    constructor(); -    constructor(data: string); -    ToScriptString(): string; -    Copy(): Field; + +declare abstract class ObjectField { +    protected [OnUpdate](diff?: any): void; +    private [Parent]?: RefField | ObjectField; +    // abstract [Copy](): ObjectField; + +    // abstract [ToScriptString](): string;  } -declare class NumberField extends BasicField<number>{ -    constructor(); -    constructor(data: number); -    ToScriptString(): string; -    Copy(): Field; + +declare abstract class URLField extends ObjectField { +    readonly url: URL; + +    constructor(url: string); +    constructor(url: URL);  } -declare class WebField extends BasicField<URL>{ + +declare class AudioField extends URLField { } +declare class VideoField extends URLField { } +declare class ImageField extends URLField { } +declare class WebField extends URLField { } +declare class PdfField extends URLField { } + +declare type FieldId = string; + +declare type Field = number | string | boolean | ObjectField | RefField; + +declare type Opt<T> = T | undefined; +declare class Doc extends RefField {      constructor(); -    constructor(data: URL); -    ToScriptString(): string; -    Copy(): Field; + +    [key: string]: Field | undefined; +    // [ToScriptString](): string;  } -declare class ListField<T> extends BasicField<T[]>{ -    constructor(); -    constructor(data: T[]); -    ToScriptString(): string; -    Copy(): Field; -} -declare class Key extends Field { -    constructor(name:string); -    Name: string; -    TrySetValue(value: any): boolean; -    GetValue(): any; -    Copy(): Field; -    ToScriptString(): string; -} -declare type FIELD_WAITING = null; -declare type Opt<T> = T | undefined; -declare type FieldValue<T> = Opt<T> | FIELD_WAITING; -// @ts-ignore -declare class Document extends Field { -    TrySetValue(value: any): boolean; -    GetValue(): any; -    Copy(): Field; -    ToScriptString(): string; - -    Width(): number; -    Height(): number; -    Scale(): number; -    Title: string; - -    Get(key: Key): FieldValue<Field>; -    GetAsync(key: Key, callback: (field: Field) => void): boolean; -    GetOrCreateAsync<T extends Field>(key: Key, ctor: { new(): T }, callback: (field: T) => void): void; -    GetT<T extends Field>(key: Key, ctor: { new(): T }): FieldValue<T>; -    GetOrCreate<T extends Field>(key: Key, ctor: { new(): T }): T; -    GetData<T, U extends Field & { Data: T }>(key: Key, ctor: { new(): U }, defaultVal: T): T; -    GetHtml(key: Key, defaultVal: string): string; -    GetNumber(key: Key, defaultVal: number): number; -    GetText(key: Key, defaultVal: string): string; -    GetList<T extends Field>(key: Key, defaultVal: T[]): T[]; -    Set(key: Key, field: Field | undefined): void; -    SetData<T, U extends Field & { Data: T }>(key: Key, value: T, ctor: { new(): U }): void; -    SetText(key: Key, value: string): void; -    SetNumber(key: Key, value: number): void; -    GetPrototype(): FieldValue<Document>; -    GetAllPrototypes(): Document[]; -    MakeDelegate(): Document; -} - -declare const KeyStore: { -    [name: string]: Key; + +declare class ListImpl<T extends Field> extends ObjectField { +    constructor(fields?: T[]); +    [index: number]: T | (T extends RefField ? Promise<T> : never); +    // [ToScriptString](): string; +    // [Copy](): ObjectField;  }  // @ts-ignore | 
