diff options
Diffstat (limited to 'src/fields')
| -rw-r--r-- | src/fields/Doc.ts | 110 | ||||
| -rw-r--r-- | src/fields/InkField.ts | 6 | ||||
| -rw-r--r-- | src/fields/List.ts | 19 | ||||
| -rw-r--r-- | src/fields/URLField.ts | 15 | ||||
| -rw-r--r-- | src/fields/documentSchemas.ts | 1 | ||||
| -rw-r--r-- | src/fields/util.ts | 53 | 
6 files changed, 130 insertions, 74 deletions
| diff --git a/src/fields/Doc.ts b/src/fields/Doc.ts index 976bd5ee1..4d040f3bc 100644 --- a/src/fields/Doc.ts +++ b/src/fields/Doc.ts @@ -21,9 +21,11 @@ import { listSpec } from "./Schema";  import { ComputedField, ScriptField } from "./ScriptField";  import { Cast, FieldValue, NumCast, StrCast, ToConstructor } from "./Types";  import { AudioField, ImageField, PdfField, VideoField, WebField } from "./URLField"; -import { deleteProperty, GetEffectiveAcl, getField, getter, makeEditable, makeReadOnly, normalizeEmail, setter, SharingPermissions, updateFunction } from "./util"; +import { deleteProperty, GetEffectiveAcl, getField, getter, inheritParentAcls, makeEditable, makeReadOnly, normalizeEmail, setter, SharingPermissions, updateFunction } from "./util";  import JSZip = require("jszip"); +import { CurrentUserUtils } from "../client/util/CurrentUserUtils";  import { IconProp } from "@fortawesome/fontawesome-svg-core"; +import Color = require("color");  export namespace Field {      export function toKeyValueString(doc: Doc, key: string): string { @@ -54,6 +56,9 @@ export namespace Field {              || (field instanceof RefField)              || (includeUndefined && field === undefined);      } +    export function Copy(field: any) { +        return field instanceof ObjectField ? ObjectField.MakeCopy(field) : field; +    }  }  export type Field = number | string | boolean | ObjectField | RefField;  export type Opt<T> = T | undefined; @@ -61,10 +66,10 @@ export type FieldWaiting<T extends RefField = RefField> = T extends undefined ?  export type FieldResult<T extends Field = Field> = Opt<T> | FieldWaiting<Extract<T, RefField>>;  /** - * Cast any field to either a List of Docs or undefined if the given field isn't a List of Docs.   - * If a default value is given, that will be returned instead of undefined.   - * If a default value is given, the returned value should not be modified as it might be a temporary value.   - * If no default value is given, and the returned value is not undefined, it can be safely modified.   + * Cast any field to either a List of Docs or undefined if the given field isn't a List of Docs. + * If a default value is given, that will be returned instead of undefined. + * If a default value is given, the returned value should not be modified as it might be a temporary value. + * If no default value is given, and the returned value is not undefined, it can be safely modified.   */  export function DocListCastAsync(field: FieldResult): Promise<Doc[] | undefined>;  export function DocListCastAsync(field: FieldResult, defaultValue: Doc[]): Promise<Doc[]>; @@ -89,7 +94,8 @@ export const DirectLinksSym = Symbol("DirectLinks");  export const AclUnset = Symbol("AclUnset");  export const AclPrivate = Symbol("AclOwnerOnly");  export const AclReadonly = Symbol("AclReadOnly"); -export const AclAddonly = Symbol("AclAddonly"); +export const AclAugment = Symbol("AclAugment"); +export const AclSelfEdit = Symbol("AclSelfEdit");  export const AclEdit = Symbol("AclEdit");  export const AclAdmin = Symbol("AclAdmin");  export const UpdatingFromServer = Symbol("UpdatingFromServer"); @@ -101,7 +107,8 @@ const AclMap = new Map<string, symbol>([      ["None", AclUnset],      [SharingPermissions.None, AclPrivate],      [SharingPermissions.View, AclReadonly], -    [SharingPermissions.Add, AclAddonly], +    [SharingPermissions.Augment, AclAugment], +    [SharingPermissions.SelfEdit, AclSelfEdit],      [SharingPermissions.Edit, AclEdit],      [SharingPermissions.Admin, AclAdmin]  ]); @@ -251,7 +258,8 @@ export class Doc extends RefField {                          DocServer.GetRefField(this[Id], true);                      }                  }; -                if (sameAuthor || fKey.startsWith("acl") || DocServer.getFieldWriteMode(fKey) !== DocServer.WriteMode.Playground) { +                const writeMode = DocServer.getFieldWriteMode(fKey); +                if (fKey.startsWith("acl") || writeMode !== DocServer.WriteMode.Playground) {                      delete this[CachedUpdates][fKey];                      await fn();                  } else { @@ -365,13 +373,13 @@ export namespace Doc {      /**       * This function is intended to model Object.assign({}, {}) [https://mzl.la/1Mo3l21], which copies       * the values of the properties of a source object into the target. -     *  +     *       * This is just a specific, Dash-authored version that serves the same role for our       * Doc class. -     *  -     * @param doc the target document into which you'd like to insert the new fields  +     * +     * @param doc the target document into which you'd like to insert the new fields       * @param fields the fields to project onto the target. Its type signature defines a mapping from some string key -     * to a potentially undefined field, where each entry in this mapping is optional.  +     * to a potentially undefined field, where each entry in this mapping is optional.       */      export function assign<K extends string>(doc: Doc, fields: Partial<Record<K, Opt<Field>>>, skipUndefineds: boolean = false, isInitializing = false) {          isInitializing && (doc[Initializing] = true); @@ -398,7 +406,7 @@ export namespace Doc {      }      // Gets the data document for the document.  Note: this is mis-named -- it does not specifically -    // return the doc's proto, but rather recursively searches through the proto inheritance chain  +    // return the doc's proto, but rather recursively searches through the proto inheritance chain      // and returns the document who's proto is undefined or whose proto is marked as a base prototype ('isPrototype').      export function GetProto(doc: Doc): Doc {          if (doc instanceof Promise) { @@ -424,6 +432,9 @@ export namespace Doc {          return Array.from(results);      } +    /** +     * @returns the index of doc toFind in list of docs, -1 otherwise +     */      export function IndexOf(toFind: Doc, list: Doc[], allowProtos: boolean = true) {          let index = list.reduce((p, v, i) => (v instanceof Doc && v === toFind) ? i : p, -1);          index = allowProtos && index !== -1 ? index : list.reduce((p, v, i) => (v instanceof Doc && Doc.AreProtosEqual(v, toFind)) ? i : p, -1); @@ -530,13 +541,13 @@ export namespace Doc {              const cfield = ComputedField.WithoutComputed(() => FieldValue(doc[key]));              const field = ProxyField.WithoutProxy(() => doc[key]);              const copyObjectField = async (field: ObjectField) => { -                const list = Cast(doc[key], listSpec(Doc)); +                const list = await Cast(doc[key], listSpec(Doc));                  const docs = list && (await DocListCastAsync(list))?.filter(d => d instanceof Doc);                  if (docs !== undefined && docs.length) {                      const clones = await Promise.all(docs.map(async d => Doc.makeClone(d, cloneMap, linkMap, rtfs, exclusions, dontCreate, asBranch)));                      !dontCreate && assignKey(new List<Doc>(clones));                  } else if (doc[key] instanceof Doc) { -                    assignKey(key.includes("layout[") ? undefined : key.startsWith("layout") ? doc[key] as Doc : await Doc.makeClone(doc[key] as Doc, cloneMap, linkMap, rtfs, exclusions, dontCreate, asBranch)); // reference documents except copy documents that are expanded teplate fields  +                    assignKey(key.includes("layout[") ? undefined : key.startsWith("layout") ? doc[key] as Doc : await Doc.makeClone(doc[key] as Doc, cloneMap, linkMap, rtfs, exclusions, dontCreate, asBranch)); // reference documents except copy documents that are expanded template fields                  } else {                      !dontCreate && assignKey(ObjectField.MakeCopy(field));                      if (field instanceof RichTextField) { @@ -562,7 +573,7 @@ export namespace Doc {                  } else if (field instanceof ObjectField) {                      await copyObjectField(field);                  } else if (field instanceof Promise) { -                    debugger; //This shouldn't happend... +                    debugger; //This shouldn't happen...                  } else {                      assignKey(field);                  } @@ -582,11 +593,10 @@ export namespace Doc {          }          return copy;      } -    export async function MakeClone(doc: Doc, dontCreate: boolean = false, asBranch = false) { -        const cloneMap = new Map<string, Doc>(); +    export async function MakeClone(doc: Doc, dontCreate: boolean = false, asBranch = false, cloneMap: Map<string, Doc> = new Map()) {          const linkMap = new Map<Doc, Doc>();          const rtfMap: { copy: Doc, key: string, field: RichTextField }[] = []; -        const copy = await Doc.makeClone(doc, cloneMap, linkMap, rtfMap, ["context", "annotationOn", "cloneOf", "branches", "branchOf"], dontCreate, asBranch); +        const copy = await Doc.makeClone(doc, cloneMap, linkMap, rtfMap, ["cloneOf", "branches", "branchOf"], dontCreate, asBranch);          Array.from(linkMap.entries()).map((links: Doc[]) => LinkManager.Instance.addLink(links[1], true));          rtfMap.map(({ copy, key, field }) => {              const replacer = (match: any, attr: string, id: string, offset: any, string: any) => { @@ -597,7 +607,7 @@ export namespace Doc {                  const mapped = cloneMap.get(id);                  return href + (mapped ? mapped[Id] : id);              }; -            const regex = `(${Utils.prepend("/doc/")})([^"]*)`; +            const regex = `(${Doc.localServerPath()})([^"]*)`;              const re = new RegExp(regex, "g");              copy[key] = new RichTextField(field.Data.replace(/("textId":|"audioId":|"anchorId":)"([^"]+)"/g, replacer).replace(re, replacer2), field.Text);          }); @@ -667,14 +677,14 @@ export namespace Doc {      const _pendingMap: Map<string, boolean> = new Map();      //      // Returns an expanded template layout for a target data document if there is a template relationship -    // between the two. If so, the layoutDoc is expanded into a new document that inherits the properties  +    // between the two. If so, the layoutDoc is expanded into a new document that inherits the properties      // of the original layout while allowing for individual layout properties to be overridden in the expanded layout.      // templateArgs should be equivalent to the layout key that generates the template since that's where the template parameters are stored in ()'s at the end of the key.      // NOTE:  the template will have references to "@params" -- the template arguments will be assigned to the '@params' field      // so that when the @params key is accessed, it will be rewritten as the key that is stored in the 'params' field and      // the derefence will then occur on the rootDocument (the original document).      // in the future, field references could be written as @<someparam> and then arguments would be passed in the layout key as: -    //   layout_mytemplate(somparam=somearg).    +    //   layout_mytemplate(somparam=somearg).      // then any references to @someparam would be rewritten as accesses to 'somearg' on the rootDocument      export function expandTemplateLayout(templateLayoutDoc: Doc, targetDoc?: Doc, templateArgs?: string) {          const args = templateArgs?.match(/\(([a-zA-Z0-9._\-]*)\)/)?.[1].replace("()", "") || StrCast(templateLayoutDoc.PARAMS); @@ -775,7 +785,7 @@ export namespace Doc {                      copy[key] = cfield[Copy]();// ComputedField.MakeFunction(cfield.script.originalScript);                  } else if (field instanceof ObjectField) {                      copy[key] = doc[key] instanceof Doc ? -                        key.includes("layout[") ? undefined : doc[key] : // reference documents except remove documents that are expanded teplate fields  +                        key.includes("layout[") ? undefined : doc[key] : // reference documents except remove documents that are expanded teplate fields                          ObjectField.MakeCopy(field);                  } else if (field instanceof Promise) {                      debugger; //This shouldn't happend... @@ -897,6 +907,16 @@ export namespace Doc {          return true;      } + +    // converts a document id to a url path on the server +    export function globalServerPath(doc: Doc | string = ""): string { +        return Utils.prepend("/doc/" + (doc instanceof Doc ? doc[Id] : doc)); +    } +    // converts a document id to a url path on the server +    export function localServerPath(doc?: Doc): string { +        return "/doc/" + (doc ? doc[Id] : ""); +    } +      export function overlapping(doc1: Doc, doc2: Doc, clusterDistance: number) {          const doc2Layout = Doc.Layout(doc2);          const doc1Layout = Doc.Layout(doc1); @@ -928,7 +948,7 @@ export namespace Doc {      }      // the document containing the view layout information - will be the Document itself unless the Document has -    // a layout field or 'layout' is given.   +    // a layout field or 'layout' is given.      export function Layout(doc: Doc, layout?: Doc): Doc {          const overrideLayout = layout && Cast(doc[`${StrCast(layout.isTemplateForField, "data")}-layout[` + layout[Id] + "]"], Doc, null);          return overrideLayout || doc[LayoutSym] || doc; @@ -1068,6 +1088,13 @@ export namespace Doc {      }      export function matchFieldValue(doc: Doc, key: string, value: any): boolean { +        if (Utils.HasTransparencyFilter(value)) { +            const isTransparent = (color: string) => color !== "" && (Color(color).alpha() !== 1); +            return isTransparent(StrCast(doc[key])); +        } +        if (typeof value === "string") { +            value = value.replace(`,${Utils.noRecursionHack}`, ""); +        }          const fieldVal = doc[key];          if (Cast(fieldVal, listSpec("string"), []).length) {              const vals = Cast(fieldVal, listSpec("string"), []); @@ -1107,9 +1134,9 @@ export namespace Doc {      }      // filters document in a container collection: -    // all documents with the specified value for the specified key are included/excluded  +    // all documents with the specified value for the specified key are included/excluded      // based on the modifiers :"check", "x", undefined -    export function setDocFilter(container: Opt<Doc>, key: string, value: any, modifiers: "remove" | "match" | "check" | "x", toggle?: boolean, fieldSuffix?: string, append: boolean = true) { +    export function setDocFilter(container: Opt<Doc>, key: string, value: any, modifiers: "remove" | "match" | "check" | "x" | "exists", toggle?: boolean, fieldSuffix?: string, append: boolean = true) {          if (!container) return;          const filterField = "_" + (fieldSuffix ? fieldSuffix + "-" : "") + "docFilters";          const docFilters = Cast(container[filterField], listSpec("string"), []); @@ -1178,6 +1205,9 @@ export namespace Doc {              dragFactory["dragFactory-count"] = NumCast(dragFactory["dragFactory-count"]) + 1;              Doc.SetInPlace(ndoc, "title", ndoc.title + " " + NumCast(dragFactory["dragFactory-count"]).toString(), true);          } + +        if (ndoc) inheritParentAcls(CurrentUserUtils.ActiveDashboard, ndoc); +          return ndoc;      }      export function delegateDragFactory(dragFactory: Doc) { @@ -1196,7 +1226,7 @@ export namespace Doc {              case DocumentType.RTF: return "sticky-note";              case DocumentType.COL:                  const folder: IconProp = isOpen ? "folder-open" : "folder"; -                const chevron: IconProp = isOpen ? "chevron-down" : "chevron-right" +                const chevron: IconProp = isOpen ? "chevron-down" : "chevron-right";                  return !doc?.isFolder ? folder : chevron;              case DocumentType.WEB: return "globe-asia";              case DocumentType.SCREENSHOT: return "photo-video"; @@ -1231,39 +1261,39 @@ export namespace Doc {          /**           * This function takes any valid JSON(-like) data, i.e. parsed or unparsed, and at arbitrarily           * deep levels of nesting, converts the data and structure into nested documents with the appropriate fields. -         *  +         *           * After building a hierarchy within / below a top-level document, it then returns that top-level parent. -         *  +         *           * If we've received a string, treat it like valid JSON and try to parse it into an object. If this fails, the           * string is invalid JSON, so we should assume that the input is the result of a JSON.parse()           * call that returned a regular string value to be stored as a Field. -         *  +         *           * If we've received something other than a string, since the caller might also pass in the results of a           * JSON.parse() call, valid input might be an object, an array (still typeof object), a boolean or a number.           * Anything else (like a function, etc. passed in naively as any) is meaningless for this operation. -         *  +         *           * All TS/JS objects get converted directly to documents, directly preserving the key value structure. Everything else,           * lacking the key value structure, gets stored as a field in a wrapper document. -         *  +         *           * @param data for convenience and flexibility, either a valid JSON string to be parsed,           * or the result of any JSON.parse() call.           * @param title an optional title to give to the highest parent document in the hierarchy.           * If whether this function creates a new document or appendToExisting is specified and that document already has a title,           * because this title field can be left undefined for the opposite behavior, including a title will overwrite the existing title.           * @param appendToExisting **if specified**, there are two cases, both of which return the target document: -         *  +         *           * 1) the json to be converted can be represented as a document, in which case the target document will act as the root           * of the tree and receive all the conversion results as new fields on itself           * 2) the json can't be represented as a document, in which case the function will assign the field-level conversion           * results to either the specified key on the target document, or to its "json" key by default. -         *  +         *           * If not specified, the function creates and returns a new entirely generic document (different from the Doc.Create calls)           * to act as the root of the tree. -         *  +         *           * One might choose to specify this field if you want to write to a document returned from a Document.Create function call,           * say a TreeView document that will be rendered, not just an untyped, identityless doc that would otherwise be created           * from a default call to new Doc. -         *  +         *           * @param excludeEmptyObjects whether non-primitive objects (TypeScript objects and arrays) should be converted even           * if they contain no data. By default, empty objects and arrays are ignored.           */ @@ -1299,7 +1329,7 @@ export namespace Doc {           * For each value of the object, recursively convert it to its appropriate field value           * and store the field at the appropriate key in the document if it is not undefined           * @param object the object to convert -         * @returns the object mapped from JSON to field values, where each mapping  +         * @returns the object mapped from JSON to field values, where each mapping           * might involve arbitrary recursion (since toField might itself call convertObject)           */          const convertObject = (object: any, excludeEmptyObjects: boolean, title?: string, target?: Doc): Opt<Doc> => { @@ -1323,10 +1353,10 @@ export namespace Doc {          };          /** -         * For each element in the list, recursively convert it to a document or other field  +         * For each element in the list, recursively convert it to a document or other field           * and push the field to the list if it is not undefined           * @param list the list to convert -         * @returns the list mapped from JSON to field values, where each mapping  +         * @returns the list mapped from JSON to field values, where each mapping           * might involve arbitrary recursion (since toField might itself call convertList)           */          const convertList = (list: Array<any>, excludeEmptyObjects: boolean): Opt<List<Field>> => { @@ -1365,7 +1395,7 @@ Scripting.addGlobal(function getAlias(doc: any) { return Doc.MakeAlias(doc); });  Scripting.addGlobal(function getCopy(doc: any, copyProto: any) { return doc.isTemplateDoc ? Doc.ApplyTemplate(doc) : Doc.MakeCopy(doc, copyProto); });  Scripting.addGlobal(function copyDragFactory(dragFactory: Doc) { return Doc.copyDragFactory(dragFactory); });  Scripting.addGlobal(function delegateDragFactory(dragFactory: Doc) { return Doc.delegateDragFactory(dragFactory); }); -Scripting.addGlobal(function copyField(field: any) { return field instanceof ObjectField ? ObjectField.MakeCopy(field) : field; }); +Scripting.addGlobal(function copyField(field: any) { return Field.Copy(field); });  Scripting.addGlobal(function docList(field: any) { return DocListCast(field); });  Scripting.addGlobal(function setInPlace(doc: any, field: any, value: any) { return Doc.SetInPlace(doc, field, value, false); });  Scripting.addGlobal(function sameDocs(doc1: any, doc2: any) { return Doc.AreProtosEqual(doc1, doc2); }); diff --git a/src/fields/InkField.ts b/src/fields/InkField.ts index 1270a2dab..f16e143d8 100644 --- a/src/fields/InkField.ts +++ b/src/fields/InkField.ts @@ -1,8 +1,8 @@ +import { createSimpleSchema, list, object, serializable } from "serializr"; +import { Scripting } from "../client/util/Scripting";  import { Deserializable } from "../client/util/SerializationHelper"; -import { serializable, custom, createSimpleSchema, list, object, map } from "serializr"; +import { Copy, ToScriptString, ToString } from "./FieldSymbols";  import { ObjectField } from "./ObjectField"; -import { Copy, ToScriptString, ToString, Update } from "./FieldSymbols"; -import { Scripting } from "../client/util/Scripting";  // Helps keep track of the current ink tool in use.  export enum InkTool { diff --git a/src/fields/List.ts b/src/fields/List.ts index 215dff34b..93a8d1d60 100644 --- a/src/fields/List.ts +++ b/src/fields/List.ts @@ -1,4 +1,4 @@ -import { action, observable, runInAction } from "mobx"; +import { action, observable } from "mobx";  import { alias, list, serializable } from "serializr";  import { DocServer } from "../client/DocServer";  import { Scripting } from "../client/util/Scripting"; @@ -264,24 +264,19 @@ class ListImpl<T extends Field> extends ObjectField {      // this requests all ProxyFields at the same time to avoid the overhead      // of separate network requests and separate updates to the React dom.      private __realFields() { -        const waiting = this.__fields.filter(f => f instanceof ProxyField && f.promisedValue()); -        const promised = waiting.map(f => f instanceof ProxyField ? f.promisedValue() : ""); +        const promised = this.__fields.filter(f => f instanceof ProxyField && f.promisedValue()).map(f => ({ field: f as any, promisedFieldId: (f instanceof ProxyField) ? f.promisedValue() : "" }));          // if we find any ProxyFields that don't have a current value, then          // start the server request for all of them          if (promised.length) { -            const promise = DocServer.GetRefFields(promised); +            const batchPromise = DocServer.GetRefFields(promised.map(p => p.promisedFieldId));              // as soon as we get the fields from the server, set all the list values in one              // action to generate one React dom update. -            promise.then(fields => runInAction(() => { -                waiting.map((w, i) => w instanceof ProxyField && w.setValue(fields[promised[i]])); -            })); +            batchPromise.then(pfields => promised.forEach(p => p.field.setValue(pfields[p.promisedFieldId])));              // we also have to mark all lists items with this promise so that any calls to them -            // will await the batch request. -            // This counts on the handler for 'promise' in the call above being invoked before the +            // will await the batch request and return the requested field value. +            // This assumes the handler for 'promise' in the call above being invoked before the              // handler for 'promise' in the lines below. -            waiting.map((w, i) => { -                w instanceof ProxyField && w.setPromise(promise.then(fields => fields[promised[i]])); -            }); +            promised.forEach(p => p.field.setPromise(batchPromise.then(pfields => pfields[p.promisedFieldId])));          }          return this.__fields.map(toRealField);      } diff --git a/src/fields/URLField.ts b/src/fields/URLField.ts index fb71160ca..d96e8a70a 100644 --- a/src/fields/URLField.ts +++ b/src/fields/URLField.ts @@ -3,14 +3,17 @@ import { serializable, custom } from "serializr";  import { ObjectField } from "./ObjectField";  import { ToScriptString, ToString, Copy } from "./FieldSymbols";  import { Scripting, scriptingGlobal } from "../client/util/Scripting"; +import { Utils } from "../Utils";  function url() {      return custom(          function (value: URL) { -            return value.href; +            return value.origin === window.location.origin ? +                value.pathname : +                value.href;          },          function (jsonValue: string) { -            return new URL(jsonValue); +            return new URL(jsonValue, window.location.origin);          }      );  } @@ -24,15 +27,21 @@ export abstract class URLField extends ObjectField {      constructor(url: URL | string) {          super();          if (typeof url === "string") { -            url = new URL(url); +            url = url.startsWith("http") ? new URL(url) : new URL(url, window.location.origin);          }          this.url = url;      }      [ToScriptString]() { +        if (Utils.prepend(this.url.pathname) === this.url.href) { +            return `new ${this.constructor.name}("${this.url.pathname}")`; +        }          return `new ${this.constructor.name}("${this.url.href}")`;      }      [ToString]() { +        if (Utils.prepend(this.url.pathname) === this.url.href) { +            return this.url.pathname; +        }          return this.url.href;      } diff --git a/src/fields/documentSchemas.ts b/src/fields/documentSchemas.ts index f17a390a6..db2c6ca5b 100644 --- a/src/fields/documentSchemas.ts +++ b/src/fields/documentSchemas.ts @@ -15,7 +15,6 @@ export const documentSchema = createSchema({      // "Location" properties in a very general sense      _curPage: "number",         // current page of a page based document      _currentFrame: "number",    // current frame of a frame based collection (e.g., a progressive slide) -    _fullScreenView: Doc,       // alias to display when double-clicking to open document in a full-screen view      lastFrame: "number",        // last frame of a frame based collection (e.g., a progressive slide)      activeFrame: "number",      // the active frame of a frame based animated document       _currentTimecode: "number", // current play back time of a temporal document (video / audio) diff --git a/src/fields/util.ts b/src/fields/util.ts index ea91cc057..439c4d333 100644 --- a/src/fields/util.ts +++ b/src/fields/util.ts @@ -1,5 +1,5 @@  import { UndoManager } from "../client/util/UndoManager"; -import { Doc, FieldResult, UpdatingFromServer, LayoutSym, AclPrivate, AclEdit, AclReadonly, AclAddonly, AclSym, DataSym, DocListCast, AclAdmin, HeightSym, WidthSym, updateCachedAcls, AclUnset, DocListCastAsync, ForceServerWrite, Initializing } from "./Doc"; +import { Doc, FieldResult, UpdatingFromServer, LayoutSym, AclPrivate, AclEdit, AclReadonly, AclAugment, AclSym, DataSym, DocListCast, AclAdmin, HeightSym, WidthSym, updateCachedAcls, AclUnset, DocListCastAsync, ForceServerWrite, Initializing, AclSelfEdit } from "./Doc";  import { SerializationHelper } from "../client/util/SerializationHelper";  import { ProxyField, PrefetchProxy } from "./Proxy";  import { RefField } from "./RefField"; @@ -14,6 +14,7 @@ import CursorField from "./CursorField";  import { List } from "./List";  import { SnappingManager } from "../client/util/SnappingManager";  import { computedFn } from "mobx-utils"; +import { RichTextField } from "./RichTextField";  function _readOnlySetter(): never {      throw new Error("Documents can't be modified in read-only mode"); @@ -77,7 +78,9 @@ const _setterImpl = action(function (target: any, prop: string | symbol | number      const fromServer = target[UpdatingFromServer];      const sameAuthor = fromServer || (receiver.author === Doc.CurrentUserEmail);      const writeToDoc = sameAuthor || effectiveAcl === AclEdit || effectiveAcl === AclAdmin || (writeMode !== DocServer.WriteMode.LiveReadonly); -    const writeToServer = (sameAuthor || effectiveAcl === AclEdit || effectiveAcl === AclAdmin || writeMode === DocServer.WriteMode.Default) && !DocServer.Control.isReadOnly();// && !playgroundMode; +    const writeToServer = +        (sameAuthor || effectiveAcl === AclEdit || effectiveAcl === AclAdmin || (effectiveAcl === AclSelfEdit && (value instanceof RichTextField))) && +        !DocServer.Control.isReadOnly();      if (writeToDoc) {          if (value === undefined) { @@ -131,6 +134,19 @@ export function denormalizeEmail(email: string) {  //     playgroundMode = !playgroundMode;  // } + +/** + * Copies parent's acl fields to the child + */ +export function inheritParentAcls(parent: Doc, child: Doc) { +    const dataDoc = parent[DataSym]; +    for (const key of Object.keys(dataDoc)) { +        // if the default acl mode is private, then don't inherit the acl-Public permission, but set it to private. +        const permission = (key === "acl-Public" && Doc.UserDoc().defaultAclPrivate) ? AclPrivate : dataDoc[key]; +        key.startsWith("acl") && distributeAcls(key, permission, child); +    } +} +  /**   * These are the various levels of access a user can have to a document.   *  @@ -146,9 +162,10 @@ export function denormalizeEmail(email: string) {   */  export enum SharingPermissions {      Admin = "Admin", -    Edit = "Can Edit", -    Add = "Can Augment", -    View = "Can View", +    Edit = "Edit", +    SelfEdit = "Self Edit", +    Augment = "Augment", +    View = "View",      None = "Not Shared"  } @@ -165,7 +182,7 @@ export function GetEffectiveAcl(target: any, user?: string): symbol {  function getPropAcl(target: any, prop: string | symbol | number) {      if (prop === UpdatingFromServer || prop === Initializing || target[UpdatingFromServer] || prop === AclSym) return AclAdmin;  // requesting the UpdatingFromServer prop or AclSym must always go through to keep the local DB consistent -    if (prop && DocServer.PlaygroundFields?.includes(prop.toString())) return AclEdit; // playground props are always editable +    if (prop && DocServer.IsPlaygroundField(prop.toString())) return AclEdit; // playground props are always editable      return GetEffectiveAcl(target);  } @@ -181,7 +198,8 @@ function getEffectiveAcl(target: any, user?: string): symbol {          HierarchyMapping = HierarchyMapping || new Map<symbol, number>([              [AclPrivate, 0],              [AclReadonly, 1], -            [AclAddonly, 2], +            [AclAugment, 2], +            [AclSelfEdit, 2.5],              [AclEdit, 3],              [AclAdmin, 4]          ]); @@ -215,7 +233,7 @@ function getEffectiveAcl(target: any, user?: string): symbol {   * @param inheritingFromCollection whether the target is being assigned rights after being dragged into a collection (and so is inheriting the acls from the collection)   * inheritingFromCollection is not currently being used but could be used if acl assignment defaults change   */ -export function distributeAcls(key: string, acl: SharingPermissions, target: Doc, inheritingFromCollection?: boolean, visited?: Doc[]) { +export function distributeAcls(key: string, acl: SharingPermissions, target: Doc, inheritingFromCollection?: boolean, visited?: Doc[], isDashboard?: boolean) {      if (!visited) visited = [] as Doc[];      if (visited.includes(target)) return;      visited.push(target); @@ -224,6 +242,7 @@ export function distributeAcls(key: string, acl: SharingPermissions, target: Doc          ["Not Shared", 0],          ["Can View", 1],          ["Can Augment", 2], +        ["Self Edit", 2.5],          ["Can Edit", 3],          ["Admin", 4]      ]); @@ -236,6 +255,12 @@ export function distributeAcls(key: string, acl: SharingPermissions, target: Doc      if (GetEffectiveAcl(target) === AclAdmin && (!inheritingFromCollection || !target[key] || HierarchyMapping.get(StrCast(target[key]))! > HierarchyMapping.get(acl)!)) {          target[key] = acl;          layoutDocChanged = true; + +        if (isDashboard) { +            DocListCastAsync(target[Doc.LayoutFieldKey(target)]).then(docs => { +                docs?.forEach(d => distributeAcls(key, acl, d, inheritingFromCollection, visited)); +            }); +        }      }      if (dataDoc && (!inheritingFromCollection || !dataDoc[key] || HierarchyMapping.get(StrCast(dataDoc[key]))! > HierarchyMapping.get(acl)!)) { @@ -245,28 +270,26 @@ export function distributeAcls(key: string, acl: SharingPermissions, target: Doc              dataDocChanged = true;          } -        // maps over the aliases of the document +        // maps over the links of the document          const links = DocListCast(dataDoc.links);          links.forEach(link => distributeAcls(key, acl, link, inheritingFromCollection, visited));          // maps over the children of the document -        DocListCast(dataDoc[Doc.LayoutFieldKey(dataDoc)]).map(d => { -            // if (GetEffectiveAcl(d) === AclAdmin && (!inheritingFromCollection || !d[key] || HierarchyMapping.get(StrCast(d[key]))! > HierarchyMapping.get(acl)!)) { +        DocListCast(dataDoc[Doc.LayoutFieldKey(dataDoc) + (isDashboard ? "-all" : "")]).map(d => {              distributeAcls(key, acl, d, inheritingFromCollection, visited);              // }              const data = d[DataSym]; -            if (data) {// && GetEffectiveAcl(data) === AclAdmin && (!inheritingFromCollection || !data[key] || HierarchyMapping.get(StrCast(data[key]))! > HierarchyMapping.get(acl)!)) { +            if (data) {                  distributeAcls(key, acl, data, inheritingFromCollection, visited);              }          });          // maps over the annotations of the document          DocListCast(dataDoc[Doc.LayoutFieldKey(dataDoc) + "-annotations"]).map(d => { -            // if (GetEffectiveAcl(d) === AclAdmin && (!inheritingFromCollection || !d[key] || HierarchyMapping.get(StrCast(d[key]))! > HierarchyMapping.get(acl)!)) {              distributeAcls(key, acl, d, inheritingFromCollection, visited);              // }              const data = d[DataSym]; -            if (data) {// && GetEffectiveAcl(data) === AclAdmin && (!inheritingFromCollection || !data[key] || HierarchyMapping.get(StrCast(data[key]))! > HierarchyMapping.get(acl)!)) { +            if (data) {                  distributeAcls(key, acl, data, inheritingFromCollection, visited);              }          }); @@ -279,7 +302,7 @@ export function distributeAcls(key: string, acl: SharingPermissions, target: Doc  export function setter(target: any, in_prop: string | symbol | number, value: any, receiver: any): boolean {      let prop = in_prop;      const effectiveAcl = getPropAcl(target, prop); -    if (effectiveAcl !== AclEdit && effectiveAcl !== AclAdmin) return true; +    if (effectiveAcl !== AclEdit && effectiveAcl !== AclAdmin && !(effectiveAcl === AclSelfEdit && value instanceof RichTextField)) return true;      // if you're trying to change an acl but don't have Admin access / you're trying to change it to something that isn't an acceptable acl, you can't      if (typeof prop === "string" && prop.startsWith("acl") && (effectiveAcl !== AclAdmin || ![...Object.values(SharingPermissions), undefined, "None"].includes(value))) return true;      // if (typeof prop === "string" && prop.startsWith("acl") && !["Can Edit", "Can Augment", "Can View", "Not Shared", undefined].includes(value)) return true; | 
