web-dev-qa-db-ja.com

jQuery-テキストエリアからすべてのテキストを選択します

テキストエリア内をクリックすると、そのコンテンツ全体が選択されるようにするにはどうすればよいですか?

そして、最終的にもう一度クリックすると、選択が解除されます。

127
Alex

マウスを使用してキャレットを移動しようとするたびにテキスト全体が選択されたときにユーザーがイライラするのを防ぐには、focusイベントではなくclickイベントを使用してこれを行う必要があります。以下は仕事をし、Chromeの問題を回避します。この問題は最も単純なバージョン(つまり、focusイベントハンドラーでtextareaのselect()メソッドを呼び出すだけ)が機能しないことを防ぎます。

jsFiddle: http://jsfiddle.net/NM62A/

コード:

<textarea id="foo">Some text</textarea>

<script type="text/javascript">
    var textBox = document.getElementById("foo");
    textBox.onfocus = function() {
        textBox.select();

        // Work around Chrome's little problem
        textBox.onmouseup = function() {
            // Prevent further mouseup intervention
            textBox.onmouseup = null;
            return false;
        };
    };
</script>

jQueryバージョン:

$("#foo").focus(function() {
    var $this = $(this);
    $this.select();

    // Work around Chrome's little problem
    $this.mouseup(function() {
        // Prevent further mouseup intervention
        $this.unbind("mouseup");
        return false;
    });
});
191
Tim Down

より良い方法、タブとchrome問題の解決と新しいjquery方法

$("#element").on("focus keyup", function(e){

        var keycode = e.keyCode ? e.keyCode : e.which ? e.which : e.charCode;
        if(keycode === 9 || !keycode){
            // Hacemos select
            var $this = $(this);
            $this.select();

            // Para Chrome's que da problema
            $this.on("mouseup", function() {
                // Unbindeamos el mouseup
                $this.off("mouseup");
                return false;
            });
        }
    });
14
Matiesky

私はこれを使用することになりました:

$('.selectAll').toggle(function() {
  $(this).select();
}, function() {
  $(this).unselect();
});
11
Alex
$('textarea').focus(function() {
    this.select();
}).mouseup(function() {
    return false;
});
5
Phil LaNasa

わずかに短いjQueryバージョン:

$('your-element').focus(function(e) {
  e.target.select();
  jQuery(e.target).one('mouseup', function(e) {
    e.preventDefault();
  });
});

Chromeコーナーケースを正しく処理します。例については、 http://jsfiddle.net/Ztyx/XMkwm/ を参照してください。

5
Ztyx

要素内のテキストの選択(マウスでの強調表示に似ています)

:)

その投稿で受け入れられた回答を使用して、次のような関数を呼び出すことができます。

$(function() {
  $('#textareaId').click(function() {
    SelectText('#textareaId');
  });
});
4
Todd