0

我试图在其中包含嵌套节点的可编辑 div 中找到插入符号的选择索引。

示例( | 是光标):

<div contenteditable="true">1234<span>5678|9</span></div> //Returns 4

我想要 div 中所有字符的索引,所以上面的例子应该返回 8。

这就是我目前正在使用的。

var sel = window.getSelection();
    return sel.anchorOffset;

我尝试过使用 commonAncestor 以及其他选择和范围方法,但我不确定如何找到它。

4

1 回答 1

2

遍历树!这是一个演示。

function getSelectionOffsetFrom(parent) {
    var sel = window.getSelection();
    var current = sel.anchorNode;
    var offset = sel.anchorOffset;

    while(current && current !== parent) {
        var sibling = current;

        while(sibling = sibling.previousSibling) {
            if(sibling.nodeType === 3) {
                offset += sibling.nodeValue.length;
            } else if(sibling.nodeType === 1) {
                offset += getContentLength(sibling);
            }
        }

        current = current.parentNode;
    }

    if(!current) {
        return null;
    }

    return offset;
}

function getContentLength(element) {
    var stack = [element];
    var total = 0;
    var current;

    while(current = stack.pop()) {
        for(var i = 0; i < current.childNodes.length; i++) {
            if(current.childNodes[i].nodeType === 1) {
                stack.push(current.childNodes[i]);
            } else if(current.childNodes[i].nodeType === 3) {
                total += current.childNodes[i].nodeValue.length;
            }
        }
    }

    return total;
}
于 2012-12-18T02:50:07.550 回答