UNPKG

tinymce

Version:

Web based JavaScript HTML WYSIWYG editor control.

1,517 lines (1,452 loc) 116 kB
/** * TinyMCE version 6.0.1 (2022-03-23) */ (function () { 'use strict'; var global$3 = tinymce.util.Tools.resolve('tinymce.PluginManager'); const hasProto = (v, constructor, predicate) => { var _a; if (predicate(v, constructor.prototype)) { return true; } else { return ((_a = v.constructor) === null || _a === void 0 ? void 0 : _a.name) === constructor.name; } }; const typeOf = x => { const t = typeof x; if (x === null) { return 'null'; } else if (t === 'object' && Array.isArray(x)) { return 'array'; } else if (t === 'object' && hasProto(x, String, (o, proto) => proto.isPrototypeOf(o))) { return 'string'; } else { return t; } }; const isType$1 = type => value => typeOf(value) === type; const isSimpleType = type => value => typeof value === type; const eq$1 = t => a => t === a; const isString = isType$1('string'); const isArray = isType$1('array'); const isBoolean = isSimpleType('boolean'); const isUndefined = eq$1(undefined); const isNullable = a => a === null || a === undefined; const isNonNullable = a => !isNullable(a); const isFunction = isSimpleType('function'); const isNumber = isSimpleType('number'); const noop = () => { }; const compose1 = (fbc, fab) => a => fbc(fab(a)); const constant = value => { return () => { return value; }; }; const identity = x => { return x; }; const tripleEquals = (a, b) => { return a === b; }; function curry(fn, ...initialArgs) { return (...restArgs) => { const all = initialArgs.concat(restArgs); return fn.apply(null, all); }; } const never = constant(false); const always = constant(true); class Optional { constructor(tag, value) { this.tag = tag; this.value = value; } static some(value) { return new Optional(true, value); } static none() { return Optional.singletonNone; } fold(onNone, onSome) { if (this.tag) { return onSome(this.value); } else { return onNone(); } } isSome() { return this.tag; } isNone() { return !this.tag; } map(mapper) { if (this.tag) { return Optional.some(mapper(this.value)); } else { return Optional.none(); } } bind(binder) { if (this.tag) { return binder(this.value); } else { return Optional.none(); } } exists(predicate) { return this.tag && predicate(this.value); } forall(predicate) { return !this.tag || predicate(this.value); } filter(predicate) { if (!this.tag || predicate(this.value)) { return this; } else { return Optional.none(); } } getOr(replacement) { return this.tag ? this.value : replacement; } or(replacement) { return this.tag ? this : replacement; } getOrThunk(thunk) { return this.tag ? this.value : thunk(); } orThunk(thunk) { return this.tag ? this : thunk(); } getOrDie(message) { if (!this.tag) { throw new Error(message !== null && message !== void 0 ? message : 'Called getOrDie on None'); } else { return this.value; } } static from(value) { return isNonNullable(value) ? Optional.some(value) : Optional.none(); } getOrNull() { return this.tag ? this.value : null; } getOrUndefined() { return this.value; } each(worker) { if (this.tag) { worker(this.value); } } toArray() { return this.tag ? [this.value] : []; } toString() { return this.tag ? `some(${ this.value })` : 'none()'; } } Optional.singletonNone = new Optional(false); const keys = Object.keys; const hasOwnProperty = Object.hasOwnProperty; const each$1 = (obj, f) => { const props = keys(obj); for (let k = 0, len = props.length; k < len; k++) { const i = props[k]; const x = obj[i]; f(x, i); } }; const objAcc = r => (x, i) => { r[i] = x; }; const internalFilter = (obj, pred, onTrue, onFalse) => { const r = {}; each$1(obj, (x, i) => { (pred(x, i) ? onTrue : onFalse)(x, i); }); return r; }; const filter$1 = (obj, pred) => { const t = {}; internalFilter(obj, pred, objAcc(t), noop); return t; }; const mapToArray = (obj, f) => { const r = []; each$1(obj, (value, name) => { r.push(f(value, name)); }); return r; }; const values = obj => { return mapToArray(obj, identity); }; const size = obj => { return keys(obj).length; }; const get$4 = (obj, key) => { return has(obj, key) ? Optional.from(obj[key]) : Optional.none(); }; const has = (obj, key) => hasOwnProperty.call(obj, key); const hasNonNullableKey = (obj, key) => has(obj, key) && obj[key] !== undefined && obj[key] !== null; const nativeIndexOf = Array.prototype.indexOf; const nativePush = Array.prototype.push; const rawIndexOf = (ts, t) => nativeIndexOf.call(ts, t); const contains = (xs, x) => rawIndexOf(xs, x) > -1; const exists = (xs, pred) => { for (let i = 0, len = xs.length; i < len; i++) { const x = xs[i]; if (pred(x, i)) { return true; } } return false; }; const range = (num, f) => { const r = []; for (let i = 0; i < num; i++) { r.push(f(i)); } return r; }; const map = (xs, f) => { const len = xs.length; const r = new Array(len); for (let i = 0; i < len; i++) { const x = xs[i]; r[i] = f(x, i); } return r; }; const each = (xs, f) => { for (let i = 0, len = xs.length; i < len; i++) { const x = xs[i]; f(x, i); } }; const eachr = (xs, f) => { for (let i = xs.length - 1; i >= 0; i--) { const x = xs[i]; f(x, i); } }; const partition = (xs, pred) => { const pass = []; const fail = []; for (let i = 0, len = xs.length; i < len; i++) { const x = xs[i]; const arr = pred(x, i) ? pass : fail; arr.push(x); } return { pass, fail }; }; const filter = (xs, pred) => { const r = []; for (let i = 0, len = xs.length; i < len; i++) { const x = xs[i]; if (pred(x, i)) { r.push(x); } } return r; }; const foldr = (xs, f, acc) => { eachr(xs, (x, i) => { acc = f(acc, x, i); }); return acc; }; const foldl = (xs, f, acc) => { each(xs, (x, i) => { acc = f(acc, x, i); }); return acc; }; const findUntil = (xs, pred, until) => { for (let i = 0, len = xs.length; i < len; i++) { const x = xs[i]; if (pred(x, i)) { return Optional.some(x); } else if (until(x, i)) { break; } } return Optional.none(); }; const find = (xs, pred) => { return findUntil(xs, pred, never); }; const flatten$1 = xs => { const r = []; for (let i = 0, len = xs.length; i < len; ++i) { if (!isArray(xs[i])) { throw new Error('Arr.flatten item ' + i + ' was not an array, input: ' + xs); } nativePush.apply(r, xs[i]); } return r; }; const bind = (xs, f) => flatten$1(map(xs, f)); const forall = (xs, pred) => { for (let i = 0, len = xs.length; i < len; ++i) { const x = xs[i]; if (pred(x, i) !== true) { return false; } } return true; }; const mapToObject = (xs, f) => { const r = {}; for (let i = 0, len = xs.length; i < len; i++) { const x = xs[i]; r[String(x)] = f(x, i); } return r; }; const get$3 = (xs, i) => i >= 0 && i < xs.length ? Optional.some(xs[i]) : Optional.none(); const head = xs => get$3(xs, 0); const last = xs => get$3(xs, xs.length - 1); const findMap = (arr, f) => { for (let i = 0; i < arr.length; i++) { const r = f(arr[i], i); if (r.isSome()) { return r; } } return Optional.none(); }; const fromHtml = (html, scope) => { const doc = scope || document; const div = doc.createElement('div'); div.innerHTML = html; if (!div.hasChildNodes() || div.childNodes.length > 1) { const message = 'HTML does not have a single root node'; console.error(message, html); throw new Error(message); } return fromDom$1(div.childNodes[0]); }; const fromTag = (tag, scope) => { const doc = scope || document; const node = doc.createElement(tag); return fromDom$1(node); }; const fromText = (text, scope) => { const doc = scope || document; const node = doc.createTextNode(text); return fromDom$1(node); }; const fromDom$1 = node => { if (node === null || node === undefined) { throw new Error('Node cannot be null or undefined'); } return { dom: node }; }; const fromPoint = (docElm, x, y) => Optional.from(docElm.dom.elementFromPoint(x, y)).map(fromDom$1); const SugarElement = { fromHtml, fromTag, fromText, fromDom: fromDom$1, fromPoint }; typeof window !== 'undefined' ? window : Function('return this;')(); const COMMENT = 8; const DOCUMENT = 9; const DOCUMENT_FRAGMENT = 11; const ELEMENT = 1; const TEXT = 3; const name = element => { const r = element.dom.nodeName; return r.toLowerCase(); }; const type = element => element.dom.nodeType; const isType = t => element => type(element) === t; const isComment = element => type(element) === COMMENT || name(element) === '#comment'; const isElement = isType(ELEMENT); const isText = isType(TEXT); const isDocument = isType(DOCUMENT); const isDocumentFragment = isType(DOCUMENT_FRAGMENT); const isTag = tag => e => isElement(e) && name(e) === tag; const is$2 = (element, selector) => { const dom = element.dom; if (dom.nodeType !== ELEMENT) { return false; } else { const elem = dom; if (elem.matches !== undefined) { return elem.matches(selector); } else if (elem.msMatchesSelector !== undefined) { return elem.msMatchesSelector(selector); } else if (elem.webkitMatchesSelector !== undefined) { return elem.webkitMatchesSelector(selector); } else if (elem.mozMatchesSelector !== undefined) { return elem.mozMatchesSelector(selector); } else { throw new Error('Browser lacks native selectors'); } } }; const bypassSelector = dom => dom.nodeType !== ELEMENT && dom.nodeType !== DOCUMENT && dom.nodeType !== DOCUMENT_FRAGMENT || dom.childElementCount === 0; const all$1 = (selector, scope) => { const base = scope === undefined ? document : scope.dom; return bypassSelector(base) ? [] : map(base.querySelectorAll(selector), SugarElement.fromDom); }; const one = (selector, scope) => { const base = scope === undefined ? document : scope.dom; return bypassSelector(base) ? Optional.none() : Optional.from(base.querySelector(selector)).map(SugarElement.fromDom); }; const eq = (e1, e2) => e1.dom === e2.dom; const is$1 = is$2; const owner = element => SugarElement.fromDom(element.dom.ownerDocument); const documentOrOwner = dos => isDocument(dos) ? dos : owner(dos); const parent = element => Optional.from(element.dom.parentNode).map(SugarElement.fromDom); const parents = (element, isRoot) => { const stop = isFunction(isRoot) ? isRoot : never; let dom = element.dom; const ret = []; while (dom.parentNode !== null && dom.parentNode !== undefined) { const rawParent = dom.parentNode; const p = SugarElement.fromDom(rawParent); ret.push(p); if (stop(p) === true) { break; } else { dom = rawParent; } } return ret; }; const prevSibling = element => Optional.from(element.dom.previousSibling).map(SugarElement.fromDom); const nextSibling = element => Optional.from(element.dom.nextSibling).map(SugarElement.fromDom); const children$3 = element => map(element.dom.childNodes, SugarElement.fromDom); const child$3 = (element, index) => { const cs = element.dom.childNodes; return Optional.from(cs[index]).map(SugarElement.fromDom); }; const firstChild = element => child$3(element, 0); const isShadowRoot = dos => isDocumentFragment(dos) && isNonNullable(dos.dom.host); const supported = isFunction(Element.prototype.attachShadow) && isFunction(Node.prototype.getRootNode); const getRootNode = supported ? e => SugarElement.fromDom(e.dom.getRootNode()) : documentOrOwner; const getShadowRoot = e => { const r = getRootNode(e); return isShadowRoot(r) ? Optional.some(r) : Optional.none(); }; const getShadowHost = e => SugarElement.fromDom(e.dom.host); const inBody = element => { const dom = isText(element) ? element.dom.parentNode : element.dom; if (dom === undefined || dom === null || dom.ownerDocument === null) { return false; } const doc = dom.ownerDocument; return getShadowRoot(SugarElement.fromDom(dom)).fold(() => doc.body.contains(dom), compose1(inBody, getShadowHost)); }; const children$2 = (scope, predicate) => filter(children$3(scope), predicate); const descendants$1 = (scope, predicate) => { let result = []; each(children$3(scope), x => { if (predicate(x)) { result = result.concat([x]); } result = result.concat(descendants$1(x, predicate)); }); return result; }; const children$1 = (scope, selector) => children$2(scope, e => is$2(e, selector)); const descendants = (scope, selector) => all$1(selector, scope); var ClosestOrAncestor = (is, ancestor, scope, a, isRoot) => { if (is(scope, a)) { return Optional.some(scope); } else if (isFunction(isRoot) && isRoot(scope)) { return Optional.none(); } else { return ancestor(scope, a, isRoot); } }; const ancestor$1 = (scope, predicate, isRoot) => { let element = scope.dom; const stop = isFunction(isRoot) ? isRoot : never; while (element.parentNode) { element = element.parentNode; const el = SugarElement.fromDom(element); if (predicate(el)) { return Optional.some(el); } else if (stop(el)) { break; } } return Optional.none(); }; const child$2 = (scope, predicate) => { const pred = node => predicate(SugarElement.fromDom(node)); const result = find(scope.dom.childNodes, pred); return result.map(SugarElement.fromDom); }; const ancestor = (scope, selector, isRoot) => ancestor$1(scope, e => is$2(e, selector), isRoot); const child$1 = (scope, selector) => child$2(scope, e => is$2(e, selector)); const descendant = (scope, selector) => one(selector, scope); const closest = (scope, selector, isRoot) => { const is = (element, selector) => is$2(element, selector); return ClosestOrAncestor(is, ancestor, scope, selector, isRoot); }; const rawSet = (dom, key, value) => { if (isString(value) || isBoolean(value) || isNumber(value)) { dom.setAttribute(key, value + ''); } else { console.error('Invalid call to Attribute.set. Key ', key, ':: Value ', value, ':: Element ', dom); throw new Error('Attribute value was not simple'); } }; const set$2 = (element, key, value) => { rawSet(element.dom, key, value); }; const setAll = (element, attrs) => { const dom = element.dom; each$1(attrs, (v, k) => { rawSet(dom, k, v); }); }; const get$2 = (element, key) => { const v = element.dom.getAttribute(key); return v === null ? undefined : v; }; const getOpt = (element, key) => Optional.from(get$2(element, key)); const remove$2 = (element, key) => { element.dom.removeAttribute(key); }; const clone = element => foldl(element.dom.attributes, (acc, attr) => { acc[attr.name] = attr.value; return acc; }, {}); const is = (lhs, rhs, comparator = tripleEquals) => lhs.exists(left => comparator(left, rhs)); const cat = arr => { const r = []; const push = x => { r.push(x); }; for (let i = 0; i < arr.length; i++) { arr[i].each(push); } return r; }; const lift2 = (oa, ob, f) => oa.isSome() && ob.isSome() ? Optional.some(f(oa.getOrDie(), ob.getOrDie())) : Optional.none(); const flatten = oot => oot.bind(identity); const someIf = (b, a) => b ? Optional.some(a) : Optional.none(); const removeFromStart = (str, numChars) => { return str.substring(numChars); }; const checkRange = (str, substr, start) => substr === '' || str.length >= substr.length && str.substr(start, start + substr.length) === substr; const removeLeading = (str, prefix) => { return startsWith(str, prefix) ? removeFromStart(str, prefix.length) : str; }; const startsWith = (str, prefix) => { return checkRange(str, prefix, 0); }; const blank = r => s => s.replace(r, ''); const trim = blank(/^\s+|\s+$/g); const isNotEmpty = s => s.length > 0; const isEmpty = s => !isNotEmpty(s); const toFloat = value => { const num = parseFloat(value); return isNaN(num) ? Optional.none() : Optional.some(num); }; const isSupported = dom => dom.style !== undefined && isFunction(dom.style.getPropertyValue); const internalSet = (dom, property, value) => { if (!isString(value)) { console.error('Invalid call to CSS.set. Property ', property, ':: Value ', value, ':: Element ', dom); throw new Error('CSS value must be a string: ' + value); } if (isSupported(dom)) { dom.style.setProperty(property, value); } }; const internalRemove = (dom, property) => { if (isSupported(dom)) { dom.style.removeProperty(property); } }; const set$1 = (element, property, value) => { const dom = element.dom; internalSet(dom, property, value); }; const get$1 = (element, property) => { const dom = element.dom; const styles = window.getComputedStyle(dom); const r = styles.getPropertyValue(property); return r === '' && !inBody(element) ? getUnsafeProperty(dom, property) : r; }; const getUnsafeProperty = (dom, property) => isSupported(dom) ? dom.style.getPropertyValue(property) : ''; const getRaw = (element, property) => { const dom = element.dom; const raw = getUnsafeProperty(dom, property); return Optional.from(raw).filter(r => r.length > 0); }; const remove$1 = (element, property) => { const dom = element.dom; internalRemove(dom, property); if (is(getOpt(element, 'style').map(trim), '')) { remove$2(element, 'style'); } }; const getAttrValue = (cell, name, fallback = 0) => getOpt(cell, name).map(value => parseInt(value, 10)).getOr(fallback); const firstLayer = (scope, selector) => { return filterFirstLayer(scope, selector, always); }; const filterFirstLayer = (scope, selector, predicate) => { return bind(children$3(scope), x => { if (is$2(x, selector)) { return predicate(x) ? [x] : []; } else { return filterFirstLayer(x, selector, predicate); } }); }; const validSectionList = [ 'tfoot', 'thead', 'tbody', 'colgroup' ]; const isValidSection = parentName => contains(validSectionList, parentName); const grid = (rows, columns) => ({ rows, columns }); const detail = (element, rowspan, colspan) => ({ element, rowspan, colspan }); const extended = (element, rowspan, colspan, row, column, isLocked) => ({ element, rowspan, colspan, row, column, isLocked }); const rowdetail = (element, cells, section) => ({ element, cells, section }); const bounds = (startRow, startCol, finishRow, finishCol) => ({ startRow, startCol, finishRow, finishCol }); const columnext = (element, colspan, column) => ({ element, colspan, column }); const colgroup = (element, columns) => ({ element, columns }); const lookup = (tags, element, isRoot = never) => { if (isRoot(element)) { return Optional.none(); } if (contains(tags, name(element))) { return Optional.some(element); } const isRootOrUpperTable = elm => is$2(elm, 'table') || isRoot(elm); return ancestor(element, tags.join(','), isRootOrUpperTable); }; const cell = (element, isRoot) => lookup([ 'td', 'th' ], element, isRoot); const cells = ancestor => firstLayer(ancestor, 'th,td'); const columns = ancestor => { if (is$2(ancestor, 'colgroup')) { return children$1(ancestor, 'col'); } else { return bind(columnGroups(ancestor), columnGroup => children$1(columnGroup, 'col')); } }; const table = (element, isRoot) => closest(element, 'table', isRoot); const rows = ancestor => firstLayer(ancestor, 'tr'); const columnGroups = ancestor => table(ancestor).fold(constant([]), table => children$1(table, 'colgroup')); const fromRowsOrColGroups = (elems, getSection) => map(elems, row => { if (name(row) === 'colgroup') { const cells = map(columns(row), column => { const colspan = getAttrValue(column, 'span', 1); return detail(column, 1, colspan); }); return rowdetail(row, cells, 'colgroup'); } else { const cells$1 = map(cells(row), cell => { const rowspan = getAttrValue(cell, 'rowspan', 1); const colspan = getAttrValue(cell, 'colspan', 1); return detail(cell, rowspan, colspan); }); return rowdetail(row, cells$1, getSection(row)); } }); const getParentSection = group => parent(group).map(parent => { const parentName = name(parent); return isValidSection(parentName) ? parentName : 'tbody'; }).getOr('tbody'); const fromTable$1 = table => { const rows$1 = rows(table); const columnGroups$1 = columnGroups(table); const elems = [ ...columnGroups$1, ...rows$1 ]; return fromRowsOrColGroups(elems, getParentSection); }; const LOCKED_COL_ATTR = 'data-snooker-locked-cols'; const getLockedColumnsFromTable = table => getOpt(table, LOCKED_COL_ATTR).bind(lockedColStr => Optional.from(lockedColStr.match(/\d+/g))).map(lockedCols => mapToObject(lockedCols, always)); const key = (row, column) => { return row + ',' + column; }; const getAt = (warehouse, row, column) => Optional.from(warehouse.access[key(row, column)]); const findItem = (warehouse, item, comparator) => { const filtered = filterItems(warehouse, detail => { return comparator(item, detail.element); }); return filtered.length > 0 ? Optional.some(filtered[0]) : Optional.none(); }; const filterItems = (warehouse, predicate) => { const all = bind(warehouse.all, r => { return r.cells; }); return filter(all, predicate); }; const generateColumns = rowData => { const columnsGroup = {}; let index = 0; each(rowData.cells, column => { const colspan = column.colspan; range(colspan, columnIndex => { const colIndex = index + columnIndex; columnsGroup[colIndex] = columnext(column.element, colspan, colIndex); }); index += colspan; }); return columnsGroup; }; const generate$1 = list => { const access = {}; const cells = []; const tableOpt = head(list).map(rowData => rowData.element).bind(table); const lockedColumns = tableOpt.bind(getLockedColumnsFromTable).getOr({}); let maxRows = 0; let maxColumns = 0; let rowCount = 0; const { pass: colgroupRows, fail: rows } = partition(list, rowData => rowData.section === 'colgroup'); each(rows, rowData => { const currentRow = []; each(rowData.cells, rowCell => { let start = 0; while (access[key(rowCount, start)] !== undefined) { start++; } const isLocked = hasNonNullableKey(lockedColumns, start.toString()); const current = extended(rowCell.element, rowCell.rowspan, rowCell.colspan, rowCount, start, isLocked); for (let occupiedColumnPosition = 0; occupiedColumnPosition < rowCell.colspan; occupiedColumnPosition++) { for (let occupiedRowPosition = 0; occupiedRowPosition < rowCell.rowspan; occupiedRowPosition++) { const rowPosition = rowCount + occupiedRowPosition; const columnPosition = start + occupiedColumnPosition; const newpos = key(rowPosition, columnPosition); access[newpos] = current; maxColumns = Math.max(maxColumns, columnPosition + 1); } } currentRow.push(current); }); maxRows++; cells.push(rowdetail(rowData.element, currentRow, rowData.section)); rowCount++; }); const {columns, colgroups} = last(colgroupRows).map(rowData => { const columns = generateColumns(rowData); const colgroup$1 = colgroup(rowData.element, values(columns)); return { colgroups: [colgroup$1], columns }; }).getOrThunk(() => ({ colgroups: [], columns: {} })); const grid$1 = grid(maxRows, maxColumns); return { grid: grid$1, access, all: cells, columns, colgroups }; }; const fromTable = table => { const list = fromTable$1(table); return generate$1(list); }; const justCells = warehouse => bind(warehouse.all, w => w.cells); const justColumns = warehouse => values(warehouse.columns); const hasColumns = warehouse => keys(warehouse.columns).length > 0; const getColumnAt = (warehouse, columnIndex) => Optional.from(warehouse.columns[columnIndex]); const Warehouse = { fromTable, generate: generate$1, getAt, findItem, filterItems, justCells, justColumns, hasColumns, getColumnAt }; var global$2 = tinymce.util.Tools.resolve('tinymce.util.Tools'); const getTDTHOverallStyle = (dom, elm, name) => { const cells = dom.select('td,th', elm); let firstChildStyle; const checkChildren = (firstChildStyle, elms) => { for (let i = 0; i < elms.length; i++) { const currentStyle = dom.getStyle(elms[i], name); if (typeof firstChildStyle === 'undefined') { firstChildStyle = currentStyle; } if (firstChildStyle !== currentStyle) { return ''; } } return firstChildStyle; }; return checkChildren(firstChildStyle, cells); }; const applyAlign = (editor, elm, name) => { if (name) { editor.formatter.apply('align' + name, {}, elm); } }; const applyVAlign = (editor, elm, name) => { if (name) { editor.formatter.apply('valign' + name, {}, elm); } }; const unApplyAlign = (editor, elm) => { global$2.each('left center right'.split(' '), name => { editor.formatter.remove('align' + name, {}, elm); }); }; const unApplyVAlign = (editor, elm) => { global$2.each('top middle bottom'.split(' '), name => { editor.formatter.remove('valign' + name, {}, elm); }); }; const fireTableModified = (editor, table, data) => { editor.dispatch('TableModified', { ...data, table }); }; const toNumber = (px, fallback) => toFloat(px).getOr(fallback); const getProp = (element, name, fallback) => toNumber(get$1(element, name), fallback); const calcContentBoxSize = (element, size, upper, lower) => { const paddingUpper = getProp(element, `padding-${ upper }`, 0); const paddingLower = getProp(element, `padding-${ lower }`, 0); const borderUpper = getProp(element, `border-${ upper }-width`, 0); const borderLower = getProp(element, `border-${ lower }-width`, 0); return size - paddingUpper - paddingLower - borderUpper - borderLower; }; const getCalculatedWidth = (element, boxSizing) => { const dom = element.dom; const width = dom.getBoundingClientRect().width || dom.offsetWidth; return boxSizing === 'border-box' ? width : calcContentBoxSize(element, width, 'left', 'right'); }; const getInnerWidth = element => getCalculatedWidth(element, 'content-box'); const getInner = getInnerWidth; var global$1 = tinymce.util.Tools.resolve('tinymce.Env'); const defaultTableToolbar = 'tableprops tabledelete | tableinsertrowbefore tableinsertrowafter tabledeleterow | tableinsertcolbefore tableinsertcolafter tabledeletecol'; const defaultCellBorderWidths = range(5, i => { const size = `${ i + 1 }px`; return { title: size, value: size }; }); const defaultCellBorderStyles = map([ 'Solid', 'Dotted', 'Dashed', 'Double', 'Groove', 'Ridge', 'Inset', 'Outset', 'None', 'Hidden' ], type => { return { title: type, value: type.toLowerCase() }; }); const determineDefaultStyles = (editor, defaultStyles) => { var _a; if (isPixelsForced(editor)) { const dom = editor.dom; const parentBlock = (_a = dom.getParent(editor.selection.getStart(), dom.isBlock)) !== null && _a !== void 0 ? _a : editor.getBody(); const contentWidth = getInner(SugarElement.fromDom(parentBlock)); return { ...defaultStyles, width: contentWidth + 'px' }; } else if (isResponsiveForced(editor)) { return filter$1(defaultStyles, (_value, key) => key !== 'width'); } else { return defaultStyles; } }; const option = name => editor => editor.options.get(name); const register = editor => { const registerOption = editor.options.register; registerOption('table_border_widths', { processor: 'object[]', default: defaultCellBorderWidths }); registerOption('table_border_styles', { processor: 'object[]', default: defaultCellBorderStyles }); registerOption('table_cell_advtab', { processor: 'boolean', default: true }); registerOption('table_row_advtab', { processor: 'boolean', default: true }); registerOption('table_advtab', { processor: 'boolean', default: true }); registerOption('table_appearance_options', { processor: 'boolean', default: true }); registerOption('table_grid', { processor: 'boolean', default: !global$1.deviceType.isTouch() }); registerOption('table_style_by_css', { processor: 'boolean', default: true }); registerOption('table_cell_class_list', { processor: 'object[]', default: [] }); registerOption('table_row_class_list', { processor: 'object[]', default: [] }); registerOption('table_class_list', { processor: 'object[]', default: [] }); registerOption('table_toolbar', { processor: 'string', default: defaultTableToolbar }); registerOption('table_background_color_map', { processor: 'object[]', default: [] }); registerOption('table_border_color_map', { processor: 'object[]', default: [] }); }; const getTableSizingMode = option('table_sizing_mode'); const getTableBorderWidths = option('table_border_widths'); const getTableBorderStyles = option('table_border_styles'); const getDefaultAttributes = option('table_default_attributes'); const hasAdvancedCellTab = option('table_cell_advtab'); const hasAdvancedRowTab = option('table_row_advtab'); const hasAdvancedTableTab = option('table_advtab'); const hasAppearanceOptions = option('table_appearance_options'); const hasTableGrid = option('table_grid'); const shouldStyleWithCss = option('table_style_by_css'); const getCellClassList = option('table_cell_class_list'); const getRowClassList = option('table_row_class_list'); const getTableClassList = option('table_class_list'); const getToolbar = option('table_toolbar'); const getTableBackgroundColorMap = option('table_background_color_map'); const getTableBorderColorMap = option('table_border_color_map'); const isPixelsForced = editor => getTableSizingMode(editor) === 'fixed'; const isResponsiveForced = editor => getTableSizingMode(editor) === 'responsive'; const getDefaultStyles = editor => { const options = editor.options; const defaultStyles = options.get('table_default_styles'); return options.isSet('table_default_styles') ? defaultStyles : determineDefaultStyles(editor, defaultStyles); }; const getNodeName = elm => elm.nodeName.toLowerCase(); const getBody = editor => SugarElement.fromDom(editor.getBody()); const getIsRoot = editor => element => eq(element, getBody(editor)); const removePxSuffix = size => size ? size.replace(/px$/, '') : ''; const addPxSuffix = size => /^\d+(\.\d+)?$/.test(size) ? size + 'px' : size; const getSelectionStart = editor => SugarElement.fromDom(editor.selection.getStart()); const getSelectionEnd = editor => SugarElement.fromDom(editor.selection.getEnd()); const isWithin = (bounds, detail) => { return detail.column >= bounds.startCol && detail.column + detail.colspan - 1 <= bounds.finishCol && detail.row >= bounds.startRow && detail.row + detail.rowspan - 1 <= bounds.finishRow; }; const isRectangular = (warehouse, bounds) => { let isRect = true; const detailIsWithin = curry(isWithin, bounds); for (let i = bounds.startRow; i <= bounds.finishRow; i++) { for (let j = bounds.startCol; j <= bounds.finishCol; j++) { isRect = isRect && Warehouse.getAt(warehouse, i, j).exists(detailIsWithin); } } return isRect ? Optional.some(bounds) : Optional.none(); }; const getBounds = (detailA, detailB) => { return bounds(Math.min(detailA.row, detailB.row), Math.min(detailA.column, detailB.column), Math.max(detailA.row + detailA.rowspan - 1, detailB.row + detailB.rowspan - 1), Math.max(detailA.column + detailA.colspan - 1, detailB.column + detailB.colspan - 1)); }; const getAnyBox = (warehouse, startCell, finishCell) => { const startCoords = Warehouse.findItem(warehouse, startCell, eq); const finishCoords = Warehouse.findItem(warehouse, finishCell, eq); return startCoords.bind(sc => { return finishCoords.map(fc => { return getBounds(sc, fc); }); }); }; const getBox$1 = (warehouse, startCell, finishCell) => { return getAnyBox(warehouse, startCell, finishCell).bind(bounds => { return isRectangular(warehouse, bounds); }); }; const getBox = (table, first, last) => { const warehouse = getWarehouse(table); return getBox$1(warehouse, first, last); }; const getWarehouse = Warehouse.fromTable; const before = (marker, element) => { const parent$1 = parent(marker); parent$1.each(v => { v.dom.insertBefore(element.dom, marker.dom); }); }; const after$1 = (marker, element) => { const sibling = nextSibling(marker); sibling.fold(() => { const parent$1 = parent(marker); parent$1.each(v => { append$1(v, element); }); }, v => { before(v, element); }); }; const prepend = (parent, element) => { const firstChild$1 = firstChild(parent); firstChild$1.fold(() => { append$1(parent, element); }, v => { parent.dom.insertBefore(element.dom, v.dom); }); }; const append$1 = (parent, element) => { parent.dom.appendChild(element.dom); }; const wrap = (element, wrapper) => { before(element, wrapper); append$1(wrapper, element); }; const after = (marker, elements) => { each(elements, (x, i) => { const e = i === 0 ? marker : elements[i - 1]; after$1(e, x); }); }; const append = (parent, elements) => { each(elements, x => { append$1(parent, x); }); }; const remove = element => { const dom = element.dom; if (dom.parentNode !== null) { dom.parentNode.removeChild(dom); } }; const unwrap = wrapper => { const children = children$3(wrapper); if (children.length > 0) { after(wrapper, children); } remove(wrapper); }; const NodeValue = (is, name) => { const get = element => { if (!is(element)) { throw new Error('Can only get ' + name + ' value of a ' + name + ' node'); } return getOption(element).getOr(''); }; const getOption = element => is(element) ? Optional.from(element.dom.nodeValue) : Optional.none(); const set = (element, value) => { if (!is(element)) { throw new Error('Can only set raw ' + name + ' value of a ' + name + ' node'); } element.dom.nodeValue = value; }; return { get, getOption, set }; }; const api = NodeValue(isText, 'text'); const get = element => api.get(element); const set = (element, value) => api.set(element, value); var TagBoundaries = [ 'body', 'p', 'div', 'article', 'aside', 'figcaption', 'figure', 'footer', 'header', 'nav', 'section', 'ol', 'ul', 'li', 'table', 'thead', 'tbody', 'tfoot', 'caption', 'tr', 'td', 'th', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'blockquote', 'pre', 'address' ]; var DomUniverse = () => { const clone$1 = element => { return SugarElement.fromDom(element.dom.cloneNode(false)); }; const document = element => documentOrOwner(element).dom; const isBoundary = element => { if (!isElement(element)) { return false; } if (name(element) === 'body') { return true; } return contains(TagBoundaries, name(element)); }; const isEmptyTag = element => { if (!isElement(element)) { return false; } return contains([ 'br', 'img', 'hr', 'input' ], name(element)); }; const isNonEditable = element => isElement(element) && get$2(element, 'contenteditable') === 'false'; const comparePosition = (element, other) => { return element.dom.compareDocumentPosition(other.dom); }; const copyAttributesTo = (source, destination) => { const as = clone(source); setAll(destination, as); }; const isSpecial = element => { const tag = name(element); return contains([ 'script', 'noscript', 'iframe', 'noframes', 'noembed', 'title', 'style', 'textarea', 'xmp' ], tag); }; const getLanguage = element => isElement(element) ? getOpt(element, 'lang') : Optional.none(); return { up: constant({ selector: ancestor, closest: closest, predicate: ancestor$1, all: parents }), down: constant({ selector: descendants, predicate: descendants$1 }), styles: constant({ get: get$1, getRaw: getRaw, set: set$1, remove: remove$1 }), attrs: constant({ get: get$2, set: set$2, remove: remove$2, copyTo: copyAttributesTo }), insert: constant({ before: before, after: after$1, afterAll: after, append: append$1, appendAll: append, prepend: prepend, wrap: wrap }), remove: constant({ unwrap: unwrap, remove: remove }), create: constant({ nu: SugarElement.fromTag, clone: clone$1, text: SugarElement.fromText }), query: constant({ comparePosition, prevSibling: prevSibling, nextSibling: nextSibling }), property: constant({ children: children$3, name: name, parent: parent, document, isText: isText, isComment: isComment, isElement: isElement, isSpecial, getLanguage, getText: get, setText: set, isBoundary, isEmptyTag, isNonEditable }), eq: eq, is: is$1 }; }; const all = (universe, look, elements, f) => { const head = elements[0]; const tail = elements.slice(1); return f(universe, look, head, tail); }; const oneAll = (universe, look, elements) => { return elements.length > 0 ? all(universe, look, elements, unsafeOne) : Optional.none(); }; const unsafeOne = (universe, look, head, tail) => { const start = look(universe, head); return foldr(tail, (b, a) => { const current = look(universe, a); return commonElement(universe, b, current); }, start); }; const commonElement = (universe, start, end) => { return start.bind(s => { return end.filter(curry(universe.eq, s)); }); }; const sharedOne$1 = oneAll; const universe = DomUniverse(); const sharedOne = (look, elements) => { return sharedOne$1(universe, (_universe, element) => { return look(element); }, elements); }; const lookupTable = container => { return ancestor(container, 'table'); }; const retrieve$1 = (container, selector) => { const sels = descendants(container, selector); return sels.length > 0 ? Optional.some(sels) : Optional.none(); }; const getEdges = (container, firstSelectedSelector, lastSelectedSelector) => { return descendant(container, firstSelectedSelector).bind(first => { return descendant(container, lastSelectedSelector).bind(last => { return sharedOne(lookupTable, [ first, last ]).map(table => { return { first, last, table }; }); }); }); }; const retrieve = (container, selector) => { return retrieve$1(container, selector); }; const retrieveBox = (container, firstSelectedSelector, lastSelectedSelector) => { return getEdges(container, firstSelectedSelector, lastSelectedSelector).bind(edges => { const isRoot = ancestor => { return eq(container, ancestor); }; const sectionSelector = 'thead,tfoot,tbody,table'; const firstAncestor = ancestor(edges.first, sectionSelector, isRoot); const lastAncestor = ancestor(edges.last, sectionSelector, isRoot); return firstAncestor.bind(fA => { return lastAncestor.bind(lA => { return eq(fA, lA) ? getBox(edges.table, edges.first, edges.last) : Optional.none(); }); }); }); }; const fromDom = nodes => map(nodes, SugarElement.fromDom); const strSelected = 'data-mce-selected'; const strSelectedSelector = 'td[' + strSelected + '],th[' + strSelected + ']'; const strFirstSelected = 'data-mce-first-selected'; const strFirstSelectedSelector = 'td[' + strFirstSelected + '],th[' + strFirstSelected + ']'; const strLastSelected = 'data-mce-last-selected'; const strLastSelectedSelector = 'td[' + strLastSelected + '],th[' + strLastSelected + ']'; const ephemera = { selected: strSelected, selectedSelector: strSelectedSelector, firstSelected: strFirstSelected, firstSelectedSelector: strFirstSelectedSelector, lastSelected: strLastSelected, lastSelectedSelector: strLastSelectedSelector }; const getSelectionCellFallback = element => table(element).bind(table => retrieve(table, ephemera.firstSelectedSelector)).fold(constant(element), cells => cells[0]); const getSelectionFromSelector = selector => (initCell, isRoot) => { const cellName = name(initCell); const cell = cellName === 'col' || cellName === 'colgroup' ? getSelectionCellFallback(initCell) : initCell; return closest(cell, selector, isRoot); }; const getSelectionCellOrCaption = getSelectionFromSelector('th,td,caption'); const getSelectionCell = getSelectionFromSelector('th,td'); const getCellsFromSelection = editor => fromDom(editor.model.table.getSelectedCells()); const getRowsFromSelection = (selected, selector) => { const cellOpt = getSelectionCell(selected); const rowsOpt = cellOpt.bind(cell => table(cell)).map(table => rows(table)); return lift2(cellOpt, rowsOpt, (cell, rows) => filter(rows, row => exists(fromDom(row.dom.cells), rowCell => get$2(rowCell, selector) === '1' || eq(rowCell, cell)))).getOr([]); }; const verticalAlignValues = [ { text: 'None', value: '' }, { text: 'Top', value: 'top' }, { text: 'Middle', value: 'middle' }, { text: 'Bottom', value: 'bottom' } ]; const hexColour = value => ({ value }); const shorthandRegex = /^#?([a-f\d])([a-f\d])([a-f\d])$/i; const longformRegex = /^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i; const isHexString = hex => shorthandRegex.test(hex) || longformRegex.test(hex); const normalizeHex = hex => removeLeading(hex, '#').toUpperCase(); const fromString$1 = hex => isHexString(hex) ? Optional.some({ value: normalizeHex(hex) }) : Optional.none(); const toHex = component => { const hex = component.toString(16); return (hex.length === 1 ? '0' + hex : hex).toUpperCase(); }; const fromRgba = rgbaColour => { const value = toHex(rgbaColour.red) + toHex(rgbaColour.green) + toHex(rgbaColour.blue); return hexColour(value); }; const rgbRegex = /^\s*rgb\s*\(\s*(\d+)\s*,\s*(\d+)\s*,\s*(\d+)\s*\)\s*$/i; const rgbaRegex = /^\s*rgba\s*\(\s*(\d+)\s*,\s*(\d+)\s*,\s*(\d+)\s*,\s*(\d?(?:\.\d+)?)\s*\)\s*$/i; const rgbaColour = (red, green, blue, alpha) => ({ red, green, blue, alpha }); const fromStringValues = (red, green, blue, alpha) => { const r = parseInt(red, 10); const g = parseInt(green, 10); const b = parseInt(blue, 10); const a = parseFloat(alpha); return rgbaColour(r, g, b, a); }; const fromString = rgbaString => { if (rgbaString === 'transparent') { return Optional.some(rgbaColour(0, 0, 0, 0)); } const rgbMatch = rgbRegex.exec(rgbaString); if (rgbMatch !== null) { return Optional.some(fromStringValues(rgbMatch[1], rgbMatch[2], rgbMatch[3], '1')); } const rgbaMatch = rgbaRegex.exec(rgbaString); if (rgbaMatch !== null) { return Optional.some(fromStringValues(rgbaMatch[1], rgbaMatch[2], rgbaMatch[3], rgbaMatch[4])); } return Optional.none(); }; const anyToHex = color => fromString$1(color).orThunk(() => fromString(color).map(fromRgba)).getOrThunk(() => { const canvas = document.createElement('canvas'); canvas.height = 1; canvas.width = 1; const canvasContext = canvas.getContext('2d'); canvasContext.clearRect(0, 0, canvas.width, canvas.height); canvasContext.fillStyle = '#FFFFFF'; canvasContext.fillStyle = color; canvasContext.fillRect(0, 0, 1, 1); const rgba = canvasContext.getImageData(0, 0, 1, 1).data; const r = rgba[0]; const g = rgba[1]; const b = rgba[2]; const a = rgba[3]; return fromRgba(rgbaColour(r, g, b, a)); }); const rgbaToHexString = color => fromString(color).map(fromRgba).map(h => '#' + h.value).getOr(color); const Cell = initial => { let value = initial; const get = () => { return value; }; const set = v => { value = v; }; return { ge