snappymail/dev/Common/Html.js

734 lines
20 KiB
JavaScript
Raw Normal View History

2022-08-26 17:55:56 +08:00
import { createElement } from 'Common/Globals';
import { forEachObjectEntry, pInt } from 'Common/Utils';
import { SettingsUserStore } from 'Stores/User/Settings';
const
2022-02-07 17:23:41 +08:00
tpl = createElement('template'),
htmlre = /[&<>"']/g,
2022-09-21 16:16:23 +08:00
httpre = /^(https?:)?\/\//i,
htmlmap = {
'&': '&amp;',
'<': '&lt;',
'>': '&gt;',
'"': '&quot;',
"'": '&#x27;'
2022-02-07 17:23:41 +08:00
},
replaceWithChildren = node => node.replaceWith(...[...node.childNodes]),
2022-04-05 17:43:44 +08:00
// Strip tracking
urlGetParam = (url, name) => new URL(url).searchParams.get(name) || url,
base64Url = data => atob(data.replace(/_/g,'/').replace(/-/g,'+')),
2022-04-05 17:43:44 +08:00
stripTracking = text => text
.replace(/tracking\.(printabout\.nl[^?]+)\?.*/i, (...m) => m[1])
.replace(/^.+awstrack\.me\/.+(https:%2F%2F[^/]+)/i, (...m) => decodeURIComponent(m[1]))
.replace(/^.+(www\.google|safelinks\.protection\.outlook\.com).+$/i, () => urlGetParam(text, 'url'))
.replace(/^.+go\.dhlparcel\.nl.+\/([^/]+)$/i, (...m) => base64Url(m[1]))
// Mandrill
.replace(/^.+\/track\/click\/.+\?p=.+$/i, () => {
let d = urlGetParam(text, 'p');
2022-10-03 15:20:54 +08:00
try {
d = JSON.parse(base64Url(d));
2022-10-03 15:20:54 +08:00
if (d?.p) {
d = JSON.parse(d.p);
}
} catch (e) {
console.error(e);
}
return d?.url || text;
})
.replace(/([?&])utm_[a-z]+=[^&?#]*/gi, '$1') // Urchin Tracking Module
.replace(/([?&])ec_[a-z]+=[^&?#]*/gi, '$1') // Sitecore
/** TODO: implement other url strippers like from
* https://www.bleepingcomputer.com/news/security/new-firefox-privacy-feature-strips-urls-of-tracking-parameters/
* https://github.com/newhouse/url-tracking-stripper
* https://github.com/svenjacobs/leon
* https://maxchadwick.xyz/tracking-query-params-registry/
* https://github.com/M66B/FairEmail/blob/master/app/src/main/java/eu/faircode/email/UriHelper.java
*/
.replace(/([?&])&+/g, '$1');
export const
/**
* @param {string} text
* @returns {string}
*/
2022-09-02 17:52:07 +08:00
encodeHtml = text => (text?.toString?.() || '' + text).replace(htmlre, m => htmlmap[m]),
/**
* Clears the Message Html for viewing
* @param {string} text
* @returns {string}
*/
cleanHtml = (html, oAttachments) => {
const
debug = false, // Config()->Get('debug', 'enable', false);
detectHiddenImages = true, // !!SettingsGet('try_to_detect_hidden_images'),
result = {
2022-05-12 05:13:24 +08:00
hasExternals: false
},
findAttachmentByCid = cid => oAttachments.findByCid(cid),
findLocationByCid = cid => {
const attachment = findAttachmentByCid(cid);
2022-09-02 17:52:07 +08:00
return attachment?.contentLocation ? attachment : 0;
},
// convert body attributes to CSS
tasks = {
link: value => {
if (/^#[a-fA-Z0-9]{3,6}$/.test(value)) {
tpl.content.querySelectorAll('a').forEach(node => node.style.color = value)
}
},
text: (value, node) => node.style.color = value,
topmargin: (value, node) => node.style.marginTop = pInt(value) + 'px',
leftmargin: (value, node) => node.style.marginLeft = pInt(value) + 'px',
bottommargin: (value, node) => node.style.marginBottom = pInt(value) + 'px',
rightmargin: (value, node) => node.style.marginRight = pInt(value) + 'px'
2022-03-10 16:57:27 +08:00
},
allowedAttributes = [
// defaults
'name',
'dir', 'lang', 'style', 'title',
'background', 'bgcolor', 'alt', 'height', 'width', 'src', 'href',
2022-03-10 16:57:27 +08:00
'border', 'bordercolor', 'charset', 'direction',
// a
'download', 'hreflang',
// body
'alink', 'bottommargin', 'leftmargin', 'link', 'rightmargin', 'text', 'topmargin', 'vlink',
// col
'align', 'valign',
// font
'color', 'face', 'size',
// hr
'noshade',
// img
'hspace', 'sizes', 'srcset', 'vspace',
// meter
'low', 'high', 'optimum', 'value',
// ol
'reversed', 'start',
// table
'cols', 'rows', 'frame', 'rules', 'summary', 'cellpadding', 'cellspacing',
// th
'abbr', 'scope',
// td
'colspan', 'rowspan', 'headers'
2022-02-14 18:47:56 +08:00
],
disallowedTags = [
'HEAD','STYLE','SVG','SCRIPT','TITLE','LINK','BASE','META',
'INPUT','OUTPUT','SELECT','BUTTON','TEXTAREA',
'BGSOUND','KEYGEN','SOURCE','OBJECT','EMBED','APPLET','IFRAME','FRAME','FRAMESET','VIDEO','AUDIO','AREA','MAP'
2022-02-25 17:12:06 +08:00
],
nonEmptyTags = [
2022-08-29 16:53:53 +08:00
'A','B','EM','I','SPAN','STRONG'
];
tpl.innerHTML = html
2022-03-14 02:51:14 +08:00
// .replace(/<pre[^>]*>[\s\S]*?<\/pre>/gi, pre => pre.replace(/\n/g, '\n<br>'))
.replace(/<!doctype[^>]*>/gi, '')
.replace(/<\?xml[^>]*\?>/gi, '')
// Not supported by <template> element
.replace(/<(\/?)body(\s[^>]*)?>/gi, '<$1div class="mail-body"$2>')
.replace(/<\/?(html|head)[^>]*>/gi, '')
2022-10-03 01:39:24 +08:00
// Fix Reddit https://github.com/the-djmaze/snappymail/issues/540
.replace(/<span class="preview-text"[\s\S]+?<\/span>/, '')
.trim();
html = '';
// \MailSo\Base\HtmlUtils::ClearComments()
// https://github.com/the-djmaze/snappymail/issues/187
const nodeIterator = document.createNodeIterator(tpl.content, NodeFilter.SHOW_COMMENT);
while (nodeIterator.nextNode()) {
nodeIterator.referenceNode.remove();
}
tpl.content.querySelectorAll('*').forEach(oElement => {
const name = oElement.tagName,
oStyle = oElement.style;
2022-02-14 18:47:56 +08:00
// \MailSo\Base\HtmlUtils::ClearTags()
if (disallowedTags.includes(name)
|| 'none' == oStyle.display
|| 'hidden' == oStyle.visibility
// || (oStyle.lineHeight && 1 > parseFloat(oStyle.lineHeight)
// || (oStyle.maxHeight && 1 > parseFloat(oStyle.maxHeight)
// || (oStyle.maxWidth && 1 > parseFloat(oStyle.maxWidth)
// || ('0' === oStyle.opacity
) {
oElement.remove();
return;
}
2022-02-14 18:47:56 +08:00
// if (['CENTER','FORM'].includes(name)) {
2022-07-21 16:13:24 +08:00
if ('FORM' === name || 'O:P' === name || (nonEmptyTags.includes(name) && ('' == oElement.textContent.trim()))) {
('A' !== name || !oElement.querySelector('IMG')) && replaceWithChildren(oElement);
2022-02-14 18:47:56 +08:00
return;
}
2022-02-15 19:29:41 +08:00
/*
// Idea to allow CSS
if ('STYLE' === name) {
msgId = '#rl-msg-061eb4d647771be4185943ce91f0039d';
oElement.textContent = oElement.textContent
.replace(/[^{}]+{/g, m => msgId + ' ' + m.replace(',', ', '+msgId+' '))
.replace(/(background-)color:[^};]+/g, '');
return;
}
*/
const aAttrsForRemove = [],
hasAttribute = name => oElement.hasAttribute(name),
getAttribute = name => hasAttribute(name) ? oElement.getAttribute(name).trim() : '',
setAttribute = (name, value) => oElement.setAttribute(name, value),
delAttribute = name => oElement.removeAttribute(name);
if ('mail-body' === oElement.className) {
forEachObjectEntry(tasks, (name, cb) => {
if (hasAttribute(name)) {
cb(getAttribute(name), oElement);
delAttribute(name);
}
});
}
if (oElement.hasAttributes()) {
let i = oElement.attributes.length;
while (i--) {
let sAttrName = oElement.attributes[i].name.toLowerCase();
if (!allowedAttributes.includes(sAttrName)) {
delAttribute(sAttrName);
aAttrsForRemove.push(sAttrName);
}
}
}
2022-03-10 16:57:27 +08:00
let value;
2022-04-23 18:21:16 +08:00
// if ('TABLE' === name || 'TD' === name || 'TH' === name) {
2022-06-16 07:16:19 +08:00
if (!oStyle.backgroundImage) {
if (hasAttribute('width')) {
value = getAttribute('width');
oStyle.width = value.includes('%') ? value : value + 'px';
2022-02-15 17:36:01 +08:00
delAttribute('width');
}
value = oStyle.width;
if (value && !value.includes('%')) {
oStyle.maxWidth = value;
2022-04-23 18:21:16 +08:00
if ('TD' !== name && 'TH' !== name) {
oStyle.width = '100%';
}
2022-02-15 17:36:01 +08:00
}
2022-04-24 04:00:41 +08:00
if (hasAttribute('height')) {
value = getAttribute('height');
oStyle.height = value.includes('%') ? value : value + 'px';
delAttribute('height');
}
value = oStyle.removeProperty('height');
if (value && !value.includes('%')) {
oStyle.maxHeight = value;
}
2022-06-16 07:16:19 +08:00
}
2022-04-21 04:07:20 +08:00
// } else
if ('A' === name) {
value = oElement.href;
if (!/^([a-z]+):/i.test(value)) {
setAttribute('data-x-broken-href', value);
delAttribute('href');
} else {
2022-03-02 18:48:41 +08:00
oElement.href = stripTracking(value);
setAttribute('target', '_blank');
// setAttribute('rel', 'external nofollow noopener noreferrer');
}
setAttribute('tabindex', '-1');
}
// SVG xlink:href
/*
if (hasAttribute('xlink:href')) {
delAttribute('xlink:href');
}
*/
let skipStyle = false;
if (hasAttribute('src')) {
value = getAttribute('src');
delAttribute('src');
if ('IMG' === name) {
2022-09-26 16:58:46 +08:00
oElement.loading = 'lazy';
let attachment;
if (detectHiddenImages
&& (('' != getAttribute('height') && 3 > pInt(getAttribute('height')))
|| ('' != getAttribute('width') && 3 > pInt(getAttribute('width')))
|| [
'email.microsoftemail.com/open',
'github.com/notifications/beacon/',
'mandrillapp.com/track/open',
'list-manage.com/track/open'
].filter(uri => value.toLowerCase().includes(uri)).length
)) {
skipStyle = true;
setAttribute('style', 'display:none');
2022-08-26 21:17:30 +08:00
setAttribute('data-x-src-hidden', value);
2022-05-12 05:13:24 +08:00
}
else if ((attachment = findLocationByCid(value)))
{
if (attachment.download) {
oElement.src = attachment.linkPreview();
attachment.isLinked(true);
}
}
else if ('cid:' === value.slice(0, 4))
{
2022-08-26 21:17:30 +08:00
value = value.slice(4);
setAttribute('data-x-src-cid', value);
attachment = findAttachmentByCid(value);
2022-09-02 17:52:07 +08:00
if (attachment?.download) {
oElement.src = attachment.linkPreview();
attachment.isInline(true);
attachment.isLinked(true);
}
}
2022-09-21 16:16:23 +08:00
else if (httpre.test(value))
{
setAttribute('data-x-src', value);
result.hasExternals = true;
}
else if ('data:image/' === value.slice(0, 11))
{
2022-08-26 21:17:30 +08:00
oElement.src = value;
}
else
{
2022-08-26 21:17:30 +08:00
setAttribute('data-x-src-broken', value);
2022-05-12 05:13:24 +08:00
}
}
else
{
2022-08-26 21:17:30 +08:00
setAttribute('data-x-src-broken', value);
}
}
if (hasAttribute('background')) {
oStyle.backgroundImage = 'url("' + getAttribute('background') + '")';
delAttribute('background');
}
if (hasAttribute('bgcolor')) {
oStyle.backgroundColor = getAttribute('bgcolor');
delAttribute('bgcolor');
}
if (hasAttribute('color')) {
oStyle.color = getAttribute('color');
delAttribute('color');
}
if (!skipStyle) {
/*
if ('fixed' === oStyle.position) {
oStyle.position = 'absolute';
}
*/
oStyle.removeProperty('behavior');
oStyle.removeProperty('cursor');
oStyle.removeProperty('min-width');
2022-06-16 07:16:19 +08:00
const
urls_remote = [], // 'data-x-style-url'
urls_broken = []; // 'data-x-broken-style-src'
['backgroundImage', 'listStyleImage', 'content'].forEach(property => {
if (oStyle[property]) {
let value = oStyle[property],
2022-06-16 07:16:19 +08:00
found = value.match(/url\s*\(([^)]+)\)/i);
if (found) {
oStyle[property] = null;
2022-06-16 07:16:19 +08:00
found = found[1].replace(/^["'\s]+|["'\s]+$/g, '');
let lowerUrl = found.toLowerCase();
if ('cid:' === lowerUrl.slice(0, 4)) {
2022-05-12 05:13:24 +08:00
const attachment = findAttachmentByCid(found);
2022-09-02 17:52:07 +08:00
if (attachment?.linkPreview && name) {
2022-05-12 05:13:24 +08:00
oStyle[property] = "url('" + attachment.linkPreview() + "')";
attachment.isInline(true);
attachment.isLinked(true);
}
2022-09-21 16:16:23 +08:00
} else if (httpre.test(lowerUrl)) {
result.hasExternals = true;
urls_remote.push([property, found]);
} else if ('data:image/' === lowerUrl.slice(0, 11)) {
oStyle[property] = value;
} else {
2022-06-16 07:16:19 +08:00
urls_broken.push([property, found]);
}
}
}
});
// oStyle.removeProperty('background-image');
// oStyle.removeProperty('list-style-image');
2022-06-16 07:16:19 +08:00
if (urls_remote.length) {
setAttribute('data-x-style-url', JSON.stringify(urls_remote));
}
2022-06-16 07:16:19 +08:00
if (urls_broken.length) {
setAttribute('data-x-style-broken-urls', JSON.stringify(urls_broken));
}
2022-02-07 17:23:41 +08:00
2022-02-14 18:48:23 +08:00
if (11 > pInt(oStyle.fontSize)) {
2022-02-07 17:23:41 +08:00
oStyle.removeProperty('font-size');
}
// Removes background and color
// Many e-mails incorrectly only define one, not both
// And in dark theme mode this kills the readability
if (SettingsUserStore.removeColors()) {
oStyle.removeProperty('background-color');
oStyle.removeProperty('background-image');
oStyle.removeProperty('color');
}
// Drop Microsoft Office style properties
// oStyle.cssText = oStyle.cssText.replace(/mso-[^:;]+:[^;]+/gi, '');
}
if (debug && aAttrsForRemove.length) {
setAttribute('data-removed-attrs', aAttrsForRemove.join(', '));
}
});
// return tpl.content.firstChild;
result.html = tpl.innerHTML.trim();
return result;
},
/**
* @param {string} html
* @returns {string}
*/
htmlToPlain = html => {
const
2022-02-07 17:23:41 +08:00
hr = '⎯'.repeat(64),
forEach = (selector, fn) => tpl.content.querySelectorAll(selector).forEach(fn),
blockquotes = node => {
let bq;
while ((bq = node.querySelector('blockquote'))) {
// Convert child blockquote first
blockquotes(bq);
// Convert blockquote
2022-02-25 17:12:06 +08:00
// bq.innerHTML = '\n' + ('\n' + bq.innerHTML.replace(/\n{3,}/gm, '\n\n').trim() + '\n').replace(/^/gm, '&gt; ');
// replaceWithChildren(bq);
bq.replaceWith(
'\n' + ('\n' + bq.textContent.replace(/\n{3,}/g, '\n\n').trim() + '\n').replace(/^/gm, '> ')
);
2022-02-07 17:23:41 +08:00
}
};
html = html
2022-02-07 17:23:41 +08:00
.replace(/<pre[^>]*>([\s\S]*?)<\/pre>/gim, (...args) =>
1 < args.length ? args[1].toString().replace(/\n/g, '<br>') : '')
.replace(/\r?\n/g, '')
.replace(/\s+/gm, ' ');
while (/<(div|tr)[\s>]/i.test(html)) {
html = html.replace(/\n*<(div|tr)(\s[\s\S]*?)?>\n*/gi, '\n');
}
while (/<\/(div|tr)[\s>]/i.test(html)) {
html = html.replace(/\n*<\/(div|tr)(\s[\s\S]*?)?>\n*/gi, '\n');
}
tpl.innerHTML = html
2022-02-07 17:23:41 +08:00
.replace(/<t[dh](\s[\s\S]*?)?>/gi, '\t')
.replace(/<\/tr(\s[\s\S]*?)?>/gi, '\n');
2022-02-07 17:23:41 +08:00
// lines
forEach('hr', node => node.replaceWith(`\n\n${hr}\n\n`));
// headings
forEach('h1,h2,h3,h4,h5,h6', h => h.replaceWith(`\n\n${'#'.repeat(h.tagName[1])} ${h.textContent}\n\n`));
// paragraphs
forEach('p', node => {
node.prepend('\n\n');
2022-02-25 17:12:06 +08:00
if ('' == node.textContent.trim()) {
node.remove();
} else {
node.after('\n\n');
}
2022-02-07 17:23:41 +08:00
});
// proper indenting and numbering of (un)ordered lists
forEach('ol,ul', node => {
let prefix = '',
parent = node,
ordered = 'OL' == node.tagName,
i = 0;
2022-09-02 17:52:07 +08:00
while ((parent = parent?.parentNode?.closest('ol,ul'))) {
prefix = ' ' + prefix;
}
2022-02-07 17:23:41 +08:00
node.querySelectorAll(':scope > li').forEach(li => {
li.prepend('\n' + prefix + (ordered ? `${++i}. ` : ' * '));
});
node.prepend('\n\n');
node.after('\n\n');
});
// Convert anchors
2022-02-25 17:12:06 +08:00
forEach('a', a => {
let txt = a.textContent, href = a.href;
2022-05-12 20:26:39 +08:00
return a.replaceWith(
txt.trim() == href || href.includes('mailto:') ? txt : txt + ' ' + href + ' '
);
2022-02-25 17:12:06 +08:00
});
2022-02-07 17:23:41 +08:00
// Bold
forEach('b,strong', b => b.replaceWith(`**${b.textContent}**`));
// Italic
forEach('i,em', i => i.replaceWith(`*${i.textContent}*`));
// Convert line-breaks
tpl.innerHTML = tpl.innerHTML
.replace(/\n{3,}/gm, '\n\n')
.replace(/\n<br[^>]*>/g, '\n')
.replace(/<br[^>]*>\n/g, '\n');
forEach('br', br => br.replaceWith('\n'));
2022-02-07 17:23:41 +08:00
// Blockquotes must be last
blockquotes(tpl.content);
return (tpl.content.textContent || '').trim();
},
/**
* @param {string} plain
* @param {boolean} findEmailAndLinksInText = false
* @returns {string}
*/
plainToHtml = plain => {
2022-02-07 17:23:41 +08:00
plain = stripTracking(plain)
.toString()
.replace(/\r/g, '')
.replace(/^>[> ]>+/gm, ([match]) => (match ? match.replace(/[ ]+/g, '') : match));
let bIn = false,
bDo = true,
bStart = true,
aNextText = [],
aText = plain.split('\n');
do {
bDo = false;
aNextText = [];
aText.forEach(sLine => {
bStart = '>' === sLine.slice(0, 1);
if (bStart && !bIn) {
bDo = true;
bIn = true;
aNextText.push('~~~blockquote~~~');
aNextText.push(sLine.slice(1));
} else if (!bStart && bIn) {
if (sLine) {
bIn = false;
aNextText.push('~~~/blockquote~~~');
aNextText.push(sLine);
} else {
aNextText.push(sLine);
}
} else if (bStart && bIn) {
aNextText.push(sLine.slice(1));
} else {
aNextText.push(sLine);
}
});
if (bIn) {
bIn = false;
aNextText.push('~~~/blockquote~~~');
}
aText = aNextText;
} while (bDo);
return aText.join('\n')
// .replace(/~~~\/blockquote~~~\n~~~blockquote~~~/g, '\n')
.replace(/&/g, '&amp;')
.replace(/>/g, '&gt;')
.replace(/</g, '&lt;')
.replace(/~~~blockquote~~~\s*/g, '<blockquote>')
.replace(/\s*~~~\/blockquote~~~/g, '</blockquote>')
.replace(/\n/g, '<br>');
};
2021-08-20 21:40:07 +08:00
export class HtmlEditor {
2015-11-19 01:32:29 +08:00
/**
* @param {Object} element
* @param {Function=} onBlur
* @param {Function=} onReady
* @param {Function=} onModeChange
*/
2019-07-05 03:19:24 +08:00
constructor(element, onBlur = null, onReady = null, onModeChange = null) {
this.blurTimer = 0;
2015-11-19 01:32:29 +08:00
this.onBlur = onBlur;
this.onModeChange = onModeChange;
2021-08-17 20:43:48 +08:00
if (element) {
let editor;
2021-09-13 19:32:06 +08:00
onReady = onReady ? [onReady] : [];
this.onReady = fn => onReady.push(fn);
const readyCallback = () => {
2021-08-17 20:43:48 +08:00
this.editor = editor;
2021-09-13 19:32:06 +08:00
this.onReady = fn => fn();
onReady.forEach(fn => fn());
2021-08-17 20:43:48 +08:00
};
if (rl.createWYSIWYG) {
2021-09-13 19:32:06 +08:00
editor = rl.createWYSIWYG(element, readyCallback);
2021-08-17 20:43:48 +08:00
}
if (!editor) {
editor = new SquireUI(element);
2021-09-13 19:32:06 +08:00
setTimeout(readyCallback, 1);
2021-08-17 20:43:48 +08:00
}
editor.on('blur', () => this.blurTrigger());
editor.on('focus', () => this.blurTimer && clearTimeout(this.blurTimer));
editor.on('mode', () => {
this.blurTrigger();
2022-09-02 17:52:07 +08:00
this.onModeChange?.(!this.isPlain());
2021-08-17 20:43:48 +08:00
});
}
2015-11-19 01:32:29 +08:00
}
blurTrigger() {
2019-07-05 03:19:24 +08:00
if (this.onBlur) {
clearTimeout(this.blurTimer);
2022-09-02 17:52:07 +08:00
this.blurTimer = setTimeout(() => this.onBlur?.(), 200);
2015-11-19 01:32:29 +08:00
}
}
/**
2016-06-30 08:02:45 +08:00
* @returns {boolean}
2015-11-19 01:32:29 +08:00
*/
isHtml() {
return this.editor ? !this.isPlain() : false;
}
/**
* @returns {boolean}
*/
isPlain() {
return this.editor ? 'plain' === this.editor.mode : false;
2015-11-19 01:32:29 +08:00
}
2016-08-31 05:31:51 +08:00
/**
* @returns {void}
*/
clearCachedSignature() {
2021-09-13 19:32:06 +08:00
this.onReady(() => this.editor.execCommand('insertSignature', {
clearCache: true
2021-09-13 19:32:06 +08:00
}));
2016-08-31 05:31:51 +08:00
}
2015-11-19 01:32:29 +08:00
/**
* @param {string} signature
* @param {bool} html
* @param {bool} insertBefore
2016-08-31 05:31:51 +08:00
* @returns {void}
2015-11-19 01:32:29 +08:00
*/
2017-07-06 06:31:41 +08:00
setSignature(signature, html, insertBefore = false) {
2021-09-13 19:32:06 +08:00
this.onReady(() => this.editor.execCommand('insertSignature', {
isHtml: html,
insertBefore: insertBefore,
signature: signature
2021-09-13 19:32:06 +08:00
}));
2015-11-19 01:32:29 +08:00
}
/**
* @param {boolean=} wrapIsHtml = false
2016-06-30 08:02:45 +08:00
* @returns {string}
2015-11-19 01:32:29 +08:00
*/
getData() {
2015-11-19 01:32:29 +08:00
let result = '';
2019-07-05 03:19:24 +08:00
if (this.editor) {
try {
if (this.isPlain() && this.editor.plugins.plain && this.editor.__plain) {
2015-11-19 01:32:29 +08:00
result = this.editor.__plain.getRawData();
2019-07-05 03:19:24 +08:00
} else {
result = this.editor.getData();
2015-11-19 01:32:29 +08:00
}
2019-07-05 03:19:24 +08:00
} catch (e) {} // eslint-disable-line no-empty
2015-11-19 01:32:29 +08:00
}
return result;
}
/**
2016-06-30 08:02:45 +08:00
* @returns {string}
2015-11-19 01:32:29 +08:00
*/
getDataWithHtmlMark() {
return (this.isHtml() ? ':HTML:' : '') + this.getData();
2015-11-19 01:32:29 +08:00
}
modeWysiwyg() {
2021-09-13 19:32:06 +08:00
this.onReady(() => this.editor.setMode('wysiwyg'));
}
modePlain() {
2021-09-13 19:32:06 +08:00
this.onReady(() => this.editor.setMode('plain'));
2015-11-19 01:32:29 +08:00
}
setHtmlOrPlain(text) {
if (':HTML:' === text.slice(0, 6)) {
this.setHtml(text.slice(6));
2019-07-05 03:19:24 +08:00
} else {
this.setPlain(text);
2015-11-19 01:32:29 +08:00
}
}
setData(mode, data) {
2021-09-13 19:32:06 +08:00
this.onReady(() => {
2021-08-17 20:43:48 +08:00
const editor = this.editor;
2016-08-31 05:31:51 +08:00
this.clearCachedSignature();
2015-11-19 01:32:29 +08:00
try {
2021-08-17 20:43:48 +08:00
editor.setMode(mode);
if (this.isPlain() && editor.plugins.plain && editor.__plain) {
editor.__plain.setRawData(data);
} else {
2021-08-17 20:43:48 +08:00
editor.setData(data);
}
} catch (e) { console.error(e); }
2021-09-13 19:32:06 +08:00
});
2015-11-19 01:32:29 +08:00
}
setHtml(html) {
this.setData('wysiwyg', html/*.replace(/<p[^>]*><\/p>/gi, '')*/);
}
2015-11-19 01:32:29 +08:00
setPlain(txt) {
this.setData('plain', txt);
2015-11-19 01:32:29 +08:00
}
focus() {
2021-09-13 19:32:06 +08:00
this.onReady(() => this.editor.focus());
2015-11-19 01:32:29 +08:00
}
hasFocus() {
try {
2022-09-02 17:52:07 +08:00
return !!this.editor?.focusManager.hasFocus;
} catch (e) {
return false;
2015-11-19 01:32:29 +08:00
}
}
blur() {
2021-09-13 19:32:06 +08:00
this.onReady(() => this.editor.focusManager.blur(true));
2015-11-19 01:32:29 +08:00
}
clear() {
2021-09-13 19:32:06 +08:00
this.onReady(() => this.isPlain() ? this.setPlain('') : this.setHtml(''));
2015-11-19 01:32:29 +08:00
}
}
rl.Utils = {
htmlToPlain: htmlToPlain,
plainToHtml: plainToHtml
};