我正在尝试确定选定的文本(在Firefox中)是否为粗体?例如:

<p>Some <b>text is typed</b> here</p>

<p>Some <span style="font-weight: bold">more text is typed</span> here</p>

用户可以选择粗体文本的一部分,也可以选择完整的粗体文本。这是我想做的事情:
function isSelectedBold(){
    var r = window.getSelection().getRangeAt(0);
    // then what?
}

请你帮助我好吗?

谢谢
斯里坎特

最佳答案

如果选择位于可编辑元素或文档中,则很简单:

function selectionIsBold() {
    var isBold = false;
    if (document.queryCommandState) {
        isBold = document.queryCommandState("bold");
    }
    return isBold;
}

否则,这会有点棘手:在非IE浏览器中,您必须暂时将文档设为可编辑状态:
function selectionIsBold() {
    var range, isBold = false;
    if (window.getSelection) {
        var sel = window.getSelection();
        if (sel && sel.getRangeAt && sel.rangeCount) {
            range = sel.getRangeAt(0);
            document.designMode = "on";
            sel.removeAllRanges();
            sel.addRange(range);
        }
    }
    if (document.queryCommandState) {
        isBold = document.queryCommandState("bold");
    }
    if (document.designMode == "on") {
        document.designMode = "off";
    }
    return isBold;
}

07-28 02:59