具有DOM范围和内容的构建编辑器可编辑

时间:2016-01-23 02:37:11

标签: javascript ecmascript-6 contenteditable rich-text-editor

我正在尝试使用DOM Range构建文本编辑器。让我们说我试图加粗选定的文字。我使用以下代码执行此操作。但是,如果它已经加粗,我无法弄清楚如何删除粗体。我试图在不使用execCommand函数的情况下完成此任务。

this.selection = window.getSelection();
this.range = this.selection.getRangeAt(0);

let textNode = document.createTextNode(this.range.toString());
let replaceElm = document.createElement('strong');

replaceElm.appendChild(textNode);
this.range.deleteContents();
this.range.insertNode(replaceElm);

this.selection.removeAllRanges();

基本上,如果选择范围包含在<strong>标记中,我想删除它。

1 个答案:

答案 0 :(得分:1)

好的,所以我起草了这段代码。它基本上抓取当前选定的节点,获取文本内容并删除样​​式标记。

// Grab the currenlty selected node
// e.g. selectedNode will equal '<strong>My bolded text</strong>'
const selectedNode = getSelectedNode();

// "Clean" the selected node. By clean I mean extracting the text
// selectedNode.textContent will return "My bolded text"
/// cleandNode will be a newly created text type node [MDN link for text nodes][1]
const cleanedNode = document.createTextNode(selectedNode.textContent);

// Remove the strong tag
// Ok so now we have the node prepared. 
// We simply replace the existing strong styled node with the "clean" one. 
// a.k.a undoing the strong style.
selectedNode.parentNode.replaceChild(cleanedNode, selectedNode);

// This function simply gets the current selected node. 
// If you were to select 'My bolded text' it will return 
// the node '<strong> My bolded text</strong>'
function getSelectedNode() {
    var node,selection;

    if (window.getSelection) {
      selection = getSelection();
      node = selection.anchorNode;
    }
    if (!node && document.selection) {
        selection = document.selection
        var range = selection.getRangeAt ? selection.getRangeAt(0) : selection.createRange();
        node = range.commonAncestorContainer ? range.commonAncestorContainer :
               range.parentElement ? range.parentElement() : range.item(0);
    }
    if (node) {
      return (node.nodeName == "#text" ? node.parentNode : node);
    }
};

我不知道这是否是“生产”准备好的,但我希望它有所帮助。这应该适用于简单的情况。我不知道它会如何对更复杂的案件做出反应。通过丰富的文本编辑,事情会变得非常难看。

让我发布:)