UNPKG

@ckeditor/ckeditor5-paste-from-office

Version:

Paste from Office feature for CKEditor 5.

1,159 lines (1,148 loc) 69.3 kB
/** * @license Copyright (c) 2003-2025, CKSource Holding sp. z o.o. All rights reserved. * For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-licensing-options */ import { Plugin } from '@ckeditor/ckeditor5-core/dist/index.js'; import { ClipboardPipeline } from '@ckeditor/ckeditor5-clipboard/dist/index.js'; import { ViewUpcastWriter, Matcher, ViewDocument, ViewDomConverter } from '@ckeditor/ckeditor5-engine/dist/index.js'; /** * @license Copyright (c) 2003-2025, CKSource Holding sp. z o.o. All rights reserved. * For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-licensing-options */ /** * @module paste-from-office/filters/bookmark */ /** * Transforms `<a>` elements which are bookmarks by moving their children after the element. * * @internal */ function transformBookmarks(documentFragment, writer) { const elementsToChange = []; for (const value of writer.createRangeIn(documentFragment)){ const element = value.item; if (element.is('element', 'a') && !element.hasAttribute('href') && (element.hasAttribute('id') || element.hasAttribute('name'))) { elementsToChange.push(element); } } for (const element of elementsToChange){ const index = element.parent.getChildIndex(element) + 1; const children = element.getChildren(); writer.insertChild(index, children, element.parent); } } /** * @license Copyright (c) 2003-2025, CKSource Holding sp. z o.o. All rights reserved. * For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-licensing-options */ /** * @module paste-from-office/filters/utils */ /** * Normalizes CSS length value to 'px'. * * @internal */ function convertCssLengthToPx(value) { const numericValue = parseFloat(value); if (value.endsWith('pt')) { // 1pt = 1in / 72 return toPx(numericValue * 96 / 72); } else if (value.endsWith('pc')) { // 1pc = 12pt = 1in / 6. return toPx(numericValue * 12 * 96 / 72); } else if (value.endsWith('in')) { // 1in = 2.54cm = 96px return toPx(numericValue * 96); } else if (value.endsWith('cm')) { // 1cm = 96px / 2.54 return toPx(numericValue * 96 / 2.54); } else if (value.endsWith('mm')) { // 1mm = 1cm / 10 return toPx(numericValue / 10 * 96 / 2.54); } return value; } /** * Returns true for value with 'px' unit. * * @internal */ function isPx(value) { return value !== undefined && value.endsWith('px'); } /** * Returns a rounded 'px' value. * * @internal */ function toPx(value) { return Math.round(value) + 'px'; } /** * Transforms Word specific list-like elements to the semantic HTML lists. * * Lists in Word are represented by block elements with special attributes like: * * ```xml * <p class=MsoListParagraphCxSpFirst style='mso-list:l1 level1 lfo1'>...</p> // Paragraph based list. * <h1 style='mso-list:l0 level1 lfo1'>...</h1> // Heading 1 based list. * ``` * * @param documentFragment The view structure to be transformed. * @param stylesString Styles from which list-like elements styling will be extracted. * @internal */ function transformListItemLikeElementsIntoLists(documentFragment, stylesString, hasMultiLevelListPlugin) { if (!documentFragment.childCount) { return; } const writer = new ViewUpcastWriter(documentFragment.document); const itemLikeElements = findAllItemLikeElements(documentFragment, writer); if (!itemLikeElements.length) { return; } const encounteredLists = {}; const stack = []; for (const itemLikeElement of itemLikeElements){ if (itemLikeElement.indent !== undefined) { if (!isListContinuation(itemLikeElement)) { stack.length = 0; } // Combined list ID for addressing encounter lists counters. const originalListId = `${itemLikeElement.id}:${itemLikeElement.indent}`; // Normalized list item indentation. const indent = Math.min(itemLikeElement.indent - 1, stack.length); // Trimming of the list stack on list ID change. if (indent < stack.length && stack[indent].id !== itemLikeElement.id) { stack.length = indent; } // Trimming of the list stack on lower indent list encountered. if (indent < stack.length - 1) { stack.length = indent + 1; } else { const listStyle = detectListStyle(itemLikeElement, stylesString); // Create a new OL/UL if required (greater indent or different list type). if (indent > stack.length - 1 || stack[indent].listElement.name != listStyle.type) { // Check if there is some start index to set from a previous list. if (indent == 0 && listStyle.type == 'ol' && itemLikeElement.id !== undefined && encounteredLists[originalListId]) { listStyle.startIndex = encounteredLists[originalListId]; } const listElement = createNewEmptyList(listStyle, writer, hasMultiLevelListPlugin); // Apply list padding only if we have margins for the item and the parent item. if (isPx(itemLikeElement.marginLeft) && (indent == 0 || isPx(stack[indent - 1].marginLeft))) { let marginLeft = itemLikeElement.marginLeft; if (indent > 0) { // Convert the padding from absolute to relative. marginLeft = toPx(parseFloat(marginLeft) - parseFloat(stack[indent - 1].marginLeft)); } writer.setStyle('padding-left', marginLeft, listElement); } // Insert the new OL/UL. if (stack.length == 0) { const parent = itemLikeElement.element.parent; const index = parent.getChildIndex(itemLikeElement.element) + 1; writer.insertChild(index, listElement, parent); } else { const parentListItems = stack[indent - 1].listItemElements; writer.appendChild(listElement, parentListItems[parentListItems.length - 1]); } // Update the list stack for other items to reference. stack[indent] = { ...itemLikeElement, listElement, listItemElements: [] }; // Prepare list counter for start index. if (indent == 0 && itemLikeElement.id !== undefined) { encounteredLists[originalListId] = listStyle.startIndex || 1; } } } // Use LI if it is already it or create a new LI element. // https://github.com/ckeditor/ckeditor5/issues/15964 const listItem = itemLikeElement.element.name == 'li' ? itemLikeElement.element : writer.createElement('li'); // Append the LI to OL/UL. writer.appendChild(listItem, stack[indent].listElement); stack[indent].listItemElements.push(listItem); // Increment list counter. if (indent == 0 && itemLikeElement.id !== undefined) { encounteredLists[originalListId]++; } // Append list block to LI. if (itemLikeElement.element != listItem) { writer.appendChild(itemLikeElement.element, listItem); } // Clean list block. removeBulletElement(itemLikeElement.element, writer); writer.removeStyle('text-indent', itemLikeElement.element); // #12361 writer.removeStyle('margin-left', itemLikeElement.element); } else { // Other blocks in a list item. const stackItem = stack.find((stackItem)=>stackItem.marginLeft == itemLikeElement.marginLeft); // This might be a paragraph that has known margin, but it is not a real list block. if (stackItem) { const listItems = stackItem.listItemElements; // Append block to LI. writer.appendChild(itemLikeElement.element, listItems[listItems.length - 1]); writer.removeStyle('margin-left', itemLikeElement.element); } else { stack.length = 0; } } } } /** * Removes paragraph wrapping content inside a list item. * * @internal */ function unwrapParagraphInListItem(documentFragment, writer) { for (const value of writer.createRangeIn(documentFragment)){ const element = value.item; if (element.is('element', 'li')) { // Google Docs allows for single paragraph inside LI. const firstChild = element.getChild(0); if (firstChild && firstChild.is('element', 'p')) { writer.unwrapElement(firstChild); } } } } /** * Finds all list-like elements in a given document fragment. * * @param documentFragment Document fragment in which to look for list-like nodes. * @returns Array of found list-like items. Each item is an object containing * @internal */ function findAllItemLikeElements(documentFragment, writer) { const range = writer.createRangeIn(documentFragment); const itemLikeElements = []; const foundMargins = new Set(); for (const item of range.getItems()){ // https://github.com/ckeditor/ckeditor5/issues/15964 if (!item.is('element') || !item.name.match(/^(p|h\d+|li|div)$/)) { continue; } // Try to rely on margin-left style to find paragraphs visually aligned with previously encountered list item. let marginLeft = getMarginLeftNormalized(item); // Ignore margin-left 0 style if there is no MsoList... class. if (marginLeft !== undefined && parseFloat(marginLeft) == 0 && !Array.from(item.getClassNames()).find((className)=>className.startsWith('MsoList'))) { marginLeft = undefined; } // List item or a following list item block. if (item.hasStyle('mso-list') && item.getStyle('mso-list') !== 'none' || marginLeft !== undefined && foundMargins.has(marginLeft)) { const itemData = getListItemData(item); itemLikeElements.push({ element: item, id: itemData.id, order: itemData.order, indent: itemData.indent, marginLeft }); if (marginLeft !== undefined) { foundMargins.add(marginLeft); } } else { foundMargins.clear(); } } return itemLikeElements; } /** * Whether the given element is possibly a list continuation. Previous element was wrapped into a list * or the current element already is inside a list. */ function isListContinuation(currentItem) { const previousSibling = currentItem.element.previousSibling; if (!previousSibling) { const parent = currentItem.element.parent; // If it's a li inside ul or ol like in here: https://github.com/ckeditor/ckeditor5/issues/15964. // If the parent has previous sibling, which is not a list, then it is not a continuation. return isList(parent) && (!parent.previousSibling || isList(parent.previousSibling)); } // Even with the same id the list does not have to be continuous (#43). return isList(previousSibling); } function isList(element) { return element.is('element', 'ol') || element.is('element', 'ul'); } /** * Extracts list item style from the provided CSS. * * List item style is extracted from the CSS stylesheet. Each list with its specific style attribute * value (`mso-list:l1 level1 lfo1`) has its dedicated properties in a CSS stylesheet defined with a selector like: * * ```css * @list l1:level1 { ... } * ``` * * It contains `mso-level-number-format` property which defines list numbering/bullet style. If this property * is not defined it means default `decimal` numbering. * * Here CSS string representation is used as `mso-level-number-format` property is an invalid CSS property * and will be removed during CSS parsing. * * @param listLikeItem List-like item for which list style will be searched for. Usually * a result of `findAllItemLikeElements()` function. * @param stylesString CSS stylesheet. * @returns An object with properties: * * * type - List type, could be `ul` or `ol`. * * startIndex - List start index, valid only for ordered lists. * * style - List style, for example: `decimal`, `lower-roman`, etc. It is extracted * directly from Word stylesheet and adjusted to represent proper values for the CSS `list-style-type` property. * If it cannot be adjusted, the `null` value is returned. */ function detectListStyle(listLikeItem, stylesString) { const listStyleRegexp = new RegExp(`@list l${listLikeItem.id}:level${listLikeItem.indent}\\s*({[^}]*)`, 'gi'); const listStyleTypeRegex = /mso-level-number-format:([^;]{0,100});/gi; const listStartIndexRegex = /mso-level-start-at:\s{0,100}([0-9]{0,10})\s{0,100};/gi; const legalStyleListRegex = new RegExp(`@list\\s+l${listLikeItem.id}:level\\d\\s*{[^{]*mso-level-text:"%\\d\\\\.`, 'gi'); const multiLevelNumberFormatTypeRegex = new RegExp(`@list l${listLikeItem.id}:level\\d\\s*{[^{]*mso-level-number-format:`, 'gi'); const legalStyleListMatch = legalStyleListRegex.exec(stylesString); const multiLevelNumberFormatMatch = multiLevelNumberFormatTypeRegex.exec(stylesString); // Multi level lists in Word have mso-level-number-format attribute except legal lists, // so we used that. If list has legal list match and doesn't has mso-level-number-format // then this is legal-list. const islegalStyleList = legalStyleListMatch && !multiLevelNumberFormatMatch; const listStyleMatch = listStyleRegexp.exec(stylesString); let listStyleType = 'decimal'; // Decimal is default one. let type = 'ol'; // <ol> is default list. let startIndex = null; if (listStyleMatch && listStyleMatch[1]) { const listStyleTypeMatch = listStyleTypeRegex.exec(listStyleMatch[1]); if (listStyleTypeMatch && listStyleTypeMatch[1]) { listStyleType = listStyleTypeMatch[1].trim(); type = listStyleType !== 'bullet' && listStyleType !== 'image' ? 'ol' : 'ul'; } // Styles for the numbered lists are always defined in the Word CSS stylesheet. // Unordered lists MAY contain a value for the Word CSS definition `mso-level-text` but sometimes // this tag is missing. And because of that, we cannot depend on that. We need to predict the list style value // based on the list style marker element. if (listStyleType === 'bullet') { const bulletedStyle = findBulletedListStyle(listLikeItem.element); if (bulletedStyle) { listStyleType = bulletedStyle; } } else { const listStartIndexMatch = listStartIndexRegex.exec(listStyleMatch[1]); if (listStartIndexMatch && listStartIndexMatch[1]) { startIndex = parseInt(listStartIndexMatch[1]); } } if (islegalStyleList) { type = 'ol'; } } return { type, startIndex, style: mapListStyleDefinition(listStyleType), isLegalStyleList: islegalStyleList }; } /** * Tries to extract the `list-style-type` value based on the marker element for bulleted list. */ function findBulletedListStyle(element) { // https://github.com/ckeditor/ckeditor5/issues/15964 if (element.name == 'li' && element.parent.name == 'ul' && element.parent.hasAttribute('type')) { return element.parent.getAttribute('type'); } const listMarkerElement = findListMarkerNode(element); if (!listMarkerElement) { return null; } const listMarker = listMarkerElement._data; if (listMarker === 'o') { return 'circle'; } else if (listMarker === '·') { return 'disc'; } else if (listMarker === '§') { return 'square'; } return null; } /** * Tries to find a text node that represents the marker element (list-style-type). */ function findListMarkerNode(element) { // If the first child is a text node, it is the data for the element. // The list-style marker is not present here. if (element.getChild(0).is('$text')) { return null; } for (const childNode of element.getChildren()){ // The list-style marker will be inside the `<span>` element. Let's ignore all non-span elements. // It may happen that the `<a>` element is added as the first child. Most probably, it's an anchor element. if (!childNode.is('element', 'span')) { continue; } const textNodeOrElement = childNode.getChild(0); if (!textNodeOrElement) { continue; } // If already found the marker element, use it. if (textNodeOrElement.is('$text')) { return textNodeOrElement; } return textNodeOrElement.getChild(0); } /* istanbul ignore next -- @preserve */ return null; } /** * Parses the `list-style-type` value extracted directly from the Word CSS stylesheet and returns proper CSS definition. */ function mapListStyleDefinition(value) { if (value.startsWith('arabic-leading-zero')) { return 'decimal-leading-zero'; } switch(value){ case 'alpha-upper': return 'upper-alpha'; case 'alpha-lower': return 'lower-alpha'; case 'roman-upper': return 'upper-roman'; case 'roman-lower': return 'lower-roman'; case 'circle': case 'disc': case 'square': return value; default: return null; } } /** * Creates a new list OL/UL element. */ function createNewEmptyList(listStyle, writer, hasMultiLevelListPlugin) { const list = writer.createElement(listStyle.type); // We do not support modifying the marker for a particular list item. // Set the value for the `list-style-type` property directly to the list container. if (listStyle.style) { writer.setStyle('list-style-type', listStyle.style, list); } if (listStyle.startIndex && listStyle.startIndex > 1) { writer.setAttribute('start', listStyle.startIndex, list); } if (listStyle.isLegalStyleList && hasMultiLevelListPlugin) { writer.addClass('legal-list', list); } return list; } /** * Extracts list item information from Word specific list-like element style: * * ``` * `style="mso-list:l1 level1 lfo1"` * ``` * * where: * * ``` * * `l1` is a list id (however it does not mean this is a continuous list - see #43), * * `level1` is a list item indentation level, * * `lfo1` is a list insertion order in a document. * ``` * * @param element Element from which style data is extracted. */ function getListItemData(element) { const listStyle = element.getStyle('mso-list'); if (listStyle === undefined) { return {}; } const idMatch = listStyle.match(/(^|\s{1,100})l(\d+)/i); const orderMatch = listStyle.match(/\s{0,100}lfo(\d+)/i); const indentMatch = listStyle.match(/\s{0,100}level(\d+)/i); if (idMatch && orderMatch && indentMatch) { return { id: idMatch[2], order: orderMatch[1], indent: parseInt(indentMatch[1]) }; } return { indent: 1 // Handle empty mso-list style as a marked for default list item. }; } /** * Removes span with a numbering/bullet from a given element. */ function removeBulletElement(element, writer) { // Matcher for finding `span` elements holding lists numbering/bullets. const bulletMatcher = new Matcher({ name: 'span', styles: { 'mso-list': 'Ignore' } }); const range = writer.createRangeIn(element); for (const value of range){ if (value.type === 'elementStart' && bulletMatcher.match(value.item)) { writer.remove(value.item); } } } /** * Returns element left margin normalized to 'px' if possible. */ function getMarginLeftNormalized(element) { const value = element.getStyle('margin-left'); if (value === undefined || value.endsWith('px')) { return value; } return convertCssLengthToPx(value); } /** * Replaces source attribute of all `<img>` elements representing regular * images (not the Word shapes) with inlined base64 image representation extracted from RTF or Blob data. * * @param documentFragment Document fragment on which transform images. * @param rtfData The RTF data from which images representation will be used. * @internal */ function replaceImagesSourceWithBase64(documentFragment, rtfData) { if (!documentFragment.childCount) { return; } const upcastWriter = new ViewUpcastWriter(documentFragment.document); const shapesIds = findAllShapesIds(documentFragment, upcastWriter); removeAllImgElementsRepresentingShapes(shapesIds, documentFragment, upcastWriter); insertMissingImgs(shapesIds, documentFragment, upcastWriter); removeAllShapeElements(documentFragment, upcastWriter); const images = findAllImageElementsWithLocalSource(documentFragment, upcastWriter); if (images.length) { replaceImagesFileSourceWithInlineRepresentation(images, extractImageDataFromRtf(rtfData), upcastWriter); } } /** * Converts given HEX string to base64 representation. * * @internal * @param hexString The HEX string to be converted. * @returns Base64 representation of a given HEX string. */ function _convertHexToBase64(hexString) { return btoa(hexString.match(/\w{2}/g).map((char)=>{ return String.fromCharCode(parseInt(char, 16)); }).join('')); } /** * Finds all shapes (`<v:*>...</v:*>`) ids. Shapes can represent images (canvas) * or Word shapes (which does not have RTF or Blob representation). * * @param documentFragment Document fragment from which to extract shape ids. * @returns Array of shape ids. */ function findAllShapesIds(documentFragment, writer) { const range = writer.createRangeIn(documentFragment); const shapeElementsMatcher = new Matcher({ name: /v:(.+)/ }); const shapesIds = []; for (const value of range){ if (value.type != 'elementStart') { continue; } const el = value.item; const previousSibling = el.previousSibling; const prevSiblingName = previousSibling && previousSibling.is('element') ? previousSibling.name : null; // List of ids which should not be considered as shapes. // https://github.com/ckeditor/ckeditor5/pull/15847#issuecomment-1941543983 const exceptionIds = [ 'Chart' ]; const isElementAShape = shapeElementsMatcher.match(el); const hasElementGfxdataAttribute = el.getAttribute('o:gfxdata'); const isPreviousSiblingAShapeType = prevSiblingName === 'v:shapetype'; const isElementIdInExceptionsArray = hasElementGfxdataAttribute && exceptionIds.some((item)=>el.getAttribute('id').includes(item)); // If shape element has 'o:gfxdata' attribute and is not directly before // `<v:shapetype>` element it means that it represents a Word shape. if (isElementAShape && hasElementGfxdataAttribute && !isPreviousSiblingAShapeType && !isElementIdInExceptionsArray) { shapesIds.push(value.item.getAttribute('id')); } } return shapesIds; } /** * Removes all `<img>` elements which represents Word shapes and not regular images. * * @param shapesIds Shape ids which will be checked against `<img>` elements. * @param documentFragment Document fragment from which to remove `<img>` elements. */ function removeAllImgElementsRepresentingShapes(shapesIds, documentFragment, writer) { const range = writer.createRangeIn(documentFragment); const imageElementsMatcher = new Matcher({ name: 'img' }); const imgs = []; for (const value of range){ if (value.item.is('element') && imageElementsMatcher.match(value.item)) { const el = value.item; const shapes = el.getAttribute('v:shapes') ? el.getAttribute('v:shapes').split(' ') : []; if (shapes.length && shapes.every((shape)=>shapesIds.indexOf(shape) > -1)) { imgs.push(el); // Shapes may also have empty source while content is paste in some browsers (Safari). } else if (!el.getAttribute('src')) { imgs.push(el); } } } for (const img of imgs){ writer.remove(img); } } /** * Removes all shape elements (`<v:*>...</v:*>`) so they do not pollute the output structure. * * @param documentFragment Document fragment from which to remove shape elements. */ function removeAllShapeElements(documentFragment, writer) { const range = writer.createRangeIn(documentFragment); const shapeElementsMatcher = new Matcher({ name: /v:(.+)/ }); const shapes = []; for (const value of range){ if (value.type == 'elementStart' && shapeElementsMatcher.match(value.item)) { shapes.push(value.item); } } for (const shape of shapes){ writer.remove(shape); } } /** * Inserts `img` tags if there is none after a shape. */ function insertMissingImgs(shapeIds, documentFragment, writer) { const range = writer.createRangeIn(documentFragment); const shapes = []; for (const value of range){ if (value.type == 'elementStart' && value.item.is('element', 'v:shape')) { const id = value.item.getAttribute('id'); if (shapeIds.includes(id)) { continue; } if (!containsMatchingImg(value.item.parent.getChildren(), id)) { shapes.push(value.item); } } } for (const shape of shapes){ const attrs = { src: findSrc(shape) }; if (shape.hasAttribute('alt')) { attrs.alt = shape.getAttribute('alt'); } const img = writer.createElement('img', attrs); writer.insertChild(shape.index + 1, img, shape.parent); } function containsMatchingImg(nodes, id) { for (const node of nodes){ /* istanbul ignore else -- @preserve */ if (node.is('element')) { if (node.name == 'img' && node.getAttribute('v:shapes') == id) { return true; } if (containsMatchingImg(node.getChildren(), id)) { return true; } } } return false; } function findSrc(shape) { for (const child of shape.getChildren()){ /* istanbul ignore else -- @preserve */ if (child.is('element') && child.getAttribute('src')) { return child.getAttribute('src'); } } } } /** * Finds all `<img>` elements in a given document fragment which have source pointing to local `file://` resource. * This function also tracks the index position of each image in the document, which is essential for * precise matching with hexadecimal representations in RTF data. * * @param documentFragment Document fragment in which to look for `<img>` elements. * @returns Array of found images along with their position index in the document. */ function findAllImageElementsWithLocalSource(documentFragment, writer) { const range = writer.createRangeIn(documentFragment); const imageElementsMatcher = new Matcher({ name: 'img' }); const imgs = []; let currentImageIndex = 0; for (const value of range){ if (value.item.is('element') && imageElementsMatcher.match(value.item)) { if (value.item.getAttribute('src').startsWith('file://')) { imgs.push({ element: value.item, imageIndex: currentImageIndex }); } currentImageIndex++; } } return imgs; } /** * Extracts all images HEX representations from a given RTF data. * * @param rtfData The RTF data from which to extract images HEX representation. * @returns Array of found HEX representations. Each array item is an object containing: * * * hex Image representation in HEX format. * * type Type of image, `image/png` or `image/jpeg`. */ function extractImageDataFromRtf(rtfData) { if (!rtfData) { return []; } const regexPictureHeader = /{\\pict[\s\S]+?\\bliptag-?\d+(\\blipupi-?\d+)?({\\\*\\blipuid\s?[\da-fA-F]+)?[\s}]*?/; const regexPicture = new RegExp('(?:(' + regexPictureHeader.source + '))([\\da-fA-F\\s]+)\\}', 'g'); const images = rtfData.match(regexPicture); const result = []; if (images) { for (const image of images){ let imageType = false; if (image.includes('\\pngblip')) { imageType = 'image/png'; } else if (image.includes('\\jpegblip')) { imageType = 'image/jpeg'; } if (imageType) { result.push({ hex: image.replace(regexPictureHeader, '').replace(/[^\da-fA-F]/g, ''), type: imageType }); } } } return result; } /** * Replaces `src` attribute value of all given images with the corresponding base64 image representation. * Uses the image index to precisely match with the correct hexadecimal representation from RTF data. * * @param imageElements Array of image elements along with their indices which will have their sources replaced. * @param imagesHexSources Array of images hex sources (usually the result of `extractImageDataFromRtf()` function). * Contains hexadecimal representations of ALL images in the document, not just those with `file://` URLs. * In XML documents, the same image might be defined both as base64 in HTML and as hexadecimal in RTF data. */ function replaceImagesFileSourceWithInlineRepresentation(imageElements, imagesHexSources, writer) { for(let i = 0; i < imageElements.length; i++){ const { element, imageIndex } = imageElements[i]; const rtfHexSource = imagesHexSources[imageIndex]; if (rtfHexSource) { const newSrc = `data:${rtfHexSource.type};base64,${_convertHexToBase64(rtfHexSource.hex)}`; writer.setAttribute('src', newSrc, element); } } } /** * Cleanup MS attributes like styles, attributes and elements. * * @param documentFragment element `data.content` obtained from clipboard. * @internal */ function removeMSAttributes(documentFragment) { const elementsToUnwrap = []; const writer = new ViewUpcastWriter(documentFragment.document); for (const { item } of writer.createRangeIn(documentFragment)){ if (!item.is('element')) { continue; } for (const className of item.getClassNames()){ if (/\bmso/gi.exec(className)) { writer.removeClass(className, item); } } for (const styleName of item.getStyleNames()){ if (/\bmso/gi.exec(styleName)) { writer.removeStyle(styleName, item); } } if (item.is('element', 'w:sdt') || item.is('element', 'w:sdtpr') && item.isEmpty || item.is('element', 'o:p') && item.isEmpty) { elementsToUnwrap.push(item); } } for (const item of elementsToUnwrap){ const itemParent = item.parent; const childIndex = itemParent.getChildIndex(item); writer.insertChild(childIndex, item.getChildren(), itemParent); writer.remove(item); } } /** * Applies border none for table and cells without a border specified. * Normalizes style length units to px. * Handles left block table alignment. * * @internal */ function transformTables(documentFragment, writer, hasTablePropertiesPlugin = false, hasExtendedTableBlockAlignment = false) { for (const item of writer.createRangeIn(documentFragment).getItems()){ if (!item.is('element', 'table') && !item.is('element', 'td') && !item.is('element', 'th')) { continue; } // In MS Word, left-aligned tables (default) have no align attribute on the `<table>` and are not wrapped in a `<div>`. // In such cases, we need to set `margin-left: 0` and `margin-right: auto` to indicate to the editor that // the table is block-aligned to the left. // // Center- and right-aligned tables in MS Word are wrapped in a `<div>` with the `align` attribute set to // `center` or `right`, respectively with no align attribute on the `<table>` itself. // // Additionally, the structure may change when pasting content from MS Word. // Some browsers (e.g., Safari) may insert extra elements around the table (e.g., a <span>), // so the surrounding `<div>` with the `align` attribute may end up being the table's grandparent. if (hasTablePropertiesPlugin && hasExtendedTableBlockAlignment && item.is('element', 'table')) { const directParent = item.parent?.is('element', 'div') ? item.parent : null; const grandParent = item.parent?.parent?.is('element', 'div') ? item.parent.parent : null; const divParent = directParent ?? grandParent; // Center block table alignment. if (divParent && divParent.getAttribute('align') === 'center' && !item.getAttribute('align')) { writer.setStyle('margin-left', 'auto', item); writer.setStyle('margin-right', 'auto', item); } else if (divParent && divParent.getAttribute('align') === 'right' && !item.getAttribute('align')) { writer.setStyle('margin-left', 'auto', item); writer.setStyle('margin-right', '0', item); } else if (!divParent && !item.getAttribute('align')) { writer.setStyle('margin-left', '0', item); writer.setStyle('margin-right', 'auto', item); } } const sides = [ 'left', 'top', 'right', 'bottom' ]; // As this is a pasted table, we do not want default table styles to apply here // so we set border node for sides that does not have any border style. // It is enough to verify border style as border color and border width properties have default values in DOM. if (sides.every((side)=>!item.hasStyle(`border-${side}-style`))) { writer.setStyle('border-style', 'none', item); } else { for (const side of sides){ if (!item.hasStyle(`border-${side}-style`)) { writer.setStyle(`border-${side}-style`, 'none', item); } } } // Translate style length units to px. const props = [ 'width', 'height', ...sides.map((side)=>`border-${side}-width`), ...sides.map((side)=>`padding-${side}`) ]; for (const prop of props){ if (item.hasStyle(prop)) { writer.setStyle(prop, convertCssLengthToPx(item.getStyle(prop)), item); } } } } /** * @license Copyright (c) 2003-2025, CKSource Holding sp. z o.o. All rights reserved. * For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-licensing-options */ /** * @module paste-from-office/filters/removeinvalidtablewidth */ /** * Removes the `width:0px` style from table pasted from Google Sheets and `width="0"` attribute from Word tables. * * @param documentFragment element `data.content` obtained from clipboard * @internal */ function removeInvalidTableWidth(documentFragment, writer) { for (const child of writer.createRangeIn(documentFragment).getItems()){ if (child.is('element', 'table')) { // Remove invalid width style (Google Sheets: width:0px). if (child.getStyle('width') === '0px') { writer.removeStyle('width', child); } // Remove invalid width attribute (Word: width="0"). if (child.getAttribute('width') === '0') { writer.removeAttribute('width', child); } } } } /** * @license Copyright (c) 2003-2025, CKSource Holding sp. z o.o. All rights reserved. * For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-licensing-options */ /** * @module paste-from-office/filters/replacemsfootnotes */ /** * Replaces MS Word specific footnotes references and definitions with proper elements. * * Things to know about MS Word footnotes: * * * Footnote references in Word are marked with `mso-footnote-id` style. * * Word does not support nested footnotes, so references within definitions are ignored. * * Word appends extra spaces after footnote references within definitions, which are trimmed. * * Footnote definitions list is marked with `mso-element: footnote-list` style it contain `mso-element: footnote` elements. * * Footnote definition might contain tables, lists and other elements, not only text. They are placed directly within `li` element, * without any wrapper (in opposition to text content of the definition, which is placed within `MsoFootnoteText` element). * * Example pseudo document showing MS Word footnote structure: * * ```html * <p>Text with footnote<a style='mso-footnote-id:ftn1'>[1]</a> reference.</p> * * <div style='mso-element:footnote-list'> * <div style='mso-element:footnote' id=ftn1> * <p class=MsoFootnoteText><a style='mso-footnote-id:ftn1'>[1]</a> Footnote content</p> * <table class="MsoTableGrid">...</table> * </div> * </div> * ``` * * Will be transformed into: * * ```html * <p>Text with footnote<sup class="footnote"><a id="ref-footnote-ftn1" href="#footnote-ftn1">1</a></sup> reference.</p> * * <ol class="footnotes"> * <li class="footnote-definition" id="footnote-ftn1"> * <a href="#ref-footnote-ftn1" class="footnote-backlink">^</a> * <div class="footnote-content"> * <p>Footnote content</p> * <table>...</table> * </div> * </li> * </ol> * ``` * * @param documentFragment `data.content` obtained from clipboard. * @param writer The view writer instance. * @internal */ function replaceMSFootnotes(documentFragment, writer) { const msFootnotesRefs = new Map(); const msFootnotesDefs = new Map(); let msFootnotesDefinitionsList = null; // Phase 1: Collect all footnotes references and definitions. Find the footnotes definitions list element. for (const { item } of writer.createRangeIn(documentFragment)){ if (!item.is('element')) { continue; } // If spot a footnotes definitions element, let's store it. It'll be replaced later. // There should be only one such element in the document. if (item.getStyle('mso-element') === 'footnote-list') { msFootnotesDefinitionsList = item; continue; } // If spot a footnote reference or definition, store it in the corresponding map. if (item.hasStyle('mso-footnote-id')) { const msFootnoteDef = item.findAncestor('element', (el)=>el.getStyle('mso-element') === 'footnote'); if (msFootnoteDef) { // If it's a reference within a definition, ignore it and track only the definition. // MS Word do not support nested footnotes, so it's safe to assume that all references within // a definition point to the same definition. const msFootnoteDefId = msFootnoteDef.getAttribute('id'); msFootnotesDefs.set(msFootnoteDefId, msFootnoteDef); } else { // If it's a reference outside of a definition, track it as a reference. const msFootnoteRefId = item.getStyle('mso-footnote-id'); msFootnotesRefs.set(msFootnoteRefId, item); } continue; } } // If there are no footnotes references or definitions, or no definitions list, there's nothing to normalize. if (!msFootnotesRefs.size || !msFootnotesDefinitionsList) { return; } // Phase 2: Replace footnotes definitions list with proper element. const footnotesDefinitionsList = createFootnotesListViewElement(writer); writer.replace(msFootnotesDefinitionsList, footnotesDefinitionsList); // Phase 3: Replace all footnotes references and add matching definitions to the definitions list. for (const [footnoteId, msFootnoteRef] of msFootnotesRefs){ const msFootnoteDef = msFootnotesDefs.get(footnoteId); if (!msFootnoteDef) { continue; } // Replace footnote reference. writer.replace(msFootnoteRef, createFootnoteRefViewElement(writer, footnoteId)); // Append found matching definition to the definitions list. // Order doesn't matter here, as it'll be fixed in the post-fixer. const defElements = createFootnoteDefViewElement(writer, footnoteId); removeMSReferences(writer, msFootnoteDef); // Insert content within the `MsoFootnoteText` element. It's usually a definition text content. for (const child of msFootnoteDef.getChildren()){ let clonedChild = child; if (child.is('element')) { clonedChild = writer.clone(child, true); } writer.appendChild(clonedChild, defElements.content); } writer.appendChild(defElements.listItem, footnotesDefinitionsList); } } /** * Removes all MS Office specific references from the given element. * * It also removes leading space from text nodes following the references, as MS Word adds * them to separate the reference from the rest of the text. * * @param writer The view writer. * @param element The element to trim. * @returns The trimmed element. */ function removeMSReferences(writer, element) { const elementsToRemove = []; const textNodesToTrim = []; for (const { item } of writer.createRangeIn(element)){ if (item.is('element') && item.getStyle('mso-footnote-id')) { elementsToRemove.unshift(item); // MS Word used to add spaces after footnote references within definitions. Let's check if there's a space after // the footnote reference and mark it for trimming. const { nextSibling } = item; if (nextSibling?.is('$text') && nextSibling.data.startsWith(' ')) { textNodesToTrim.unshift(nextSibling); } } } for (const element of elementsToRemove){ writer.remove(element); } // Remove only the leading space from text nodes following reference within definition, preserve the rest of the text. for (const textNode of textNodesToTrim){ const trimmedData = textNode.data.substring(1); if (trimmedData.length > 0) { // Create a new text node and replace the old one. const parent = textNode.parent; const index = parent.getChildIndex(textNode); const newTextNode = writer.createText(trimmedData); writer.remove(textNode); writer.insertChild(index, newTextNode, parent); } else { // If the text node contained only a space, remove it entirely. writer.remove(textNode); } } return element; } /** * Creates a footnotes list view element. * * @param writer The view writer instance. * @returns The footnotes list view element. */ function createFootnotesListViewElement(writer) { return writer.createElement('ol', { class: 'footnotes' }); } /** * Creates a footnote reference view element. * * @param writer The view writer instance. * @param footnoteId The footnote ID. * @returns The footnote reference view element. */ function createFootnoteRefViewElement(writer, footnoteId) { const sup = writer.createElement('sup', { class: 'footnote' }); const link = writer.createElement('a', { id: `ref-${footnoteId}`, href: `#${footnoteId}` }); writer.appendChild(link, sup); return sup; } /** * Creates a footnote definition view element with a backlink and a content container. * * @param writer The view writer instance. * @param footnoteId The footnote ID. * @returns An object containing the list item element, backlink and content container. */ function createFootnoteDefViewElement(writer, footnoteId) { const listItem = writer.createElement('li', { id: footnoteId, class: 'footnote-definition' }); const backLink = writer.createElement('a', { href: `#ref-${footnoteId}`, class: 'footnote-backlink' }); const content = writer.createElement('div', { class: 'footnote-content' }); writer.appendChild(writer.createText('^'), backLink); writer.appendChild(backLink, listItem); writer.appendChild(content, listItem); return { listItem, content }; } const msWordMatch1 = /<meta\s*name="?generator"?\s*content="?microsoft\s*word\s*\d+"?\/?>/i; const msWordMatch2 = /xmlns:o="urn:schemas-microsoft-com/i; /** * Normalizer for the content pasted from Microsoft Word. */ class PasteFromOfficeMSWordNormalizer { document; hasMultiLevelListPlugin; hasTablePropertiesPlugin; hasExtendedTableBlockAlignment; /** * Creates a new `PasteFromOfficeMSWordNormalizer` instance. * * @param document View document. */ constructor(document, hasMultiLevelListPlugin = false, hasTablePropertiesPlugin = false, hasExtendedTableBlockAlignment = false){ this.document = document; this.hasMultiLevelListPlugin = hasMultiLevelListPlugin; this.hasTablePropertiesPlugin = hasTablePropertiesPlugin; this.hasExtendedTableBlockAlignment = hasExtendedTableBlockAlignment; } /** * @inheritDoc */ isActive(htmlString) { return msWordMatch1.test(htmlString) || msWordMatch2.test(htmlString); } /** * @inheritDoc */ execute(data) { const writer = new ViewUpcastWriter(this.document); const { body: documentFragment, stylesString } = data._parsedData; transformBookmarks(documentFragment, writer); transformListItemLikeElementsIntoLists(documentFragment, stylesString, this.hasMultiLevelListPlugin); replaceImagesSourceWithBase64(documentFragment, data.dataTransfer.getData('text/rtf')); transformTables(documentFragment, writer, this.hasTablePropertiesPlugin, this.hasExtendedTableBlockAlignment); removeInvalidTableWidth(documentFragment, writer); replaceMSFootnotes(documentFragment, writer); removeMSAttributes(documentFragment); data.content = documentFragment; } } /** * @license Copyright (c) 2003-2025, CKSource Holding sp. z o.o. All rights reserved. * For licensing, see LICENSE.md or https://ckeditor.com/legal/ckeditor-licensing-options */ /** * @module paste-from-office/filters/removeboldwrapper */ /** * Removes the `<b>` tag wrapper added by Google Docs to a copied content. * * @param documentFragment element `data.content` obtained from clipboard * @internal */ function removeBoldWrapper(documentFragment, writer) { for (const child of documentFragment.getChildren()){ if (child.is('element', 'b') && child.getStyle('font-weight') === 'normal') { const childIndex = documentFragment.getChildIndex(child); writer.remove(child); writer.insertChild(childIndex, child.getChildren(), documentFragment); } } } /** * Transforms `<br>` elements that are siblings to some block element into a paragraphs. * * @param documentFragment The view structure to be transformed. * @internal */ function transformBlockBrsToParagraphs(documentFragment, writer) { const viewDocument = new ViewDocument(writer.document.stylesProcessor); const domConverter = new ViewDomConverter(viewDocument, { renderingMode: 'data' }); const blockElements = domConverter.blockElements; const inlineObjectElements = domConverter.inlineObjectElements; const elementsToReplace = []; for (const value of writer.createRangeIn(documentFragment)){ const element = value.item; if (element.is('element', 'br')) { const nextSibling = findSibling(element, 'forward', writer, { blockElements, inlineObjectElements }); const previousSibling = findSibling(element, 'backward', writer, { blockElements, inlineObjectElements }); const nextSiblingIsBlock = isBlockViewElement(nextSibling, blockElements); const previousSiblingIsBlock = isBlockViewElement(previousSibling, blockElements); // If the <br> is surrounded by blocks then convert it to a paragraph: // * <p>foo</p>[<br>]<p>bar</p> -> <p>foo</p>[<p></p>]<p>bar</p> // * <p>foo</p>[<br>] -> <p>foo</p>[<p></p>] // * [<br>]<p>foo</p> -> [<p></p>]<p>foo</p> if (previousSiblingIsBlock || nextSiblingIsBlock) { elementsToReplace.push(element); } } } for (const element of elementsToReplace){ if (element.hasCl