web-dev-qa-db-ja.com

強調表示された/選択されたテキストを取得する

強調表示されたテキストをWebサイトの段落に入れることは可能ですか。 jQueryを使って?

312
Dan

ユーザーが選択したテキストを取得するのは比較的簡単です。 windowおよびdocumentオブジェクト以外に必要なものがないため、jQueryを使用してもメリットはありません。

function getSelectionText() {
    var text = "";
    if (window.getSelection) {
        text = window.getSelection().toString();
    } else if (document.selection && document.selection.type != "Control") {
        text = document.selection.createRange().text;
    }
    return text;
}

<textarea>およびtextyの<input>要素の選択も処理する実装に興味があるなら、以下を使うことができます。 2016年以降、IE <= 8のサポートに必要なコードを省略していますが、そのためのものをSOの多くの場所に投稿しました。

function getSelectionText() {
    var text = "";
    var activeEl = document.activeElement;
    var activeElTagName = activeEl ? activeEl.tagName.toLowerCase() : null;
    if (
      (activeElTagName == "textarea") || (activeElTagName == "input" &&
      /^(?:text|search|password|tel|url)$/i.test(activeEl.type)) &&
      (typeof activeEl.selectionStart == "number")
    ) {
        text = activeEl.value.slice(activeEl.selectionStart, activeEl.selectionEnd);
    } else if (window.getSelection) {
        text = window.getSelection().toString();
    }
    return text;
}

document.onmouseup = document.onkeyup = document.onselectionchange = function() {
  document.getElementById("sel").value = getSelectionText();
};
Selection:
<br>
<textarea id="sel" rows="3" cols="50"></textarea>
<p>Please select some text.</p>
<input value="Some text in a text input">
<br>
<input type="search" value="Some text in a search input">
<br>
<input type="tel" value="4872349749823">
<br>
<textarea>Some text in a textarea</textarea>
435
Tim Down

強調表示されたテキストをこのようにして取得します。

window.getSelection().toString()

そしてもちろん、すなわちのための特別な扱い:

document.selection.createRange().htmlText
99
ParPar

この解決策は、あなたがchromeを使っていて(他のブラウザを確認することができない)そしてテキストが同じDOM要素の中にあるならばうまくいきます:

window.getSelection().anchorNode.textContent.substring(
  window.getSelection().extentOffset, 
  window.getSelection().anchorOffset)
10
Andrew Kennedy