[javascript] jQuery-텍스트 영역에서 모든 텍스트를 선택하십시오.

텍스트 영역 내부를 클릭하면 전체 내용이 선택되도록하려면 어떻게해야합니까?

결국 다시 클릭하면 선택을 취소합니다.



답변

마우스를 사용하여 캐럿을 움직일 때마다 전체 텍스트가 선택 될 때 사용자가 성가신 것을 막으려면 focus이벤트가 아닌 이벤트를 사용하여 수행해야합니다 click. 다음은 작업을 수행하고 가장 간단한 버전 (예 : 이벤트 핸들러 select()에서 텍스트 영역의 메서드를 호출하는 것 focus)이 작동 하지 못하게하는 Chrome의 문제를 해결 합니다.

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;
    });
});


답변

탭 및 크롬 문제에 대한 솔루션과 새로운 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;
            });
        }
    });


답변

나는 이것을 사용하여 끝났다.

$('.selectAll').toggle(function() {
  $(this).select();
}, function() {
  $(this).unselect();
});


답변

$('textarea').focus(function() {
    this.select();
}).mouseup(function() {
    return false;
});


답변

약간 더 짧은 jQuery 버전 :

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

크롬 코너 케이스를 올바르게 처리합니다. 예는 http://jsfiddle.net/Ztyx/XMkwm/ 을 참조하십시오 .


답변

요소에서 텍스트 선택 (마우스로 강조 표시와 유사)

🙂

해당 게시물에 허용 된 답변을 사용하여 다음과 같이 함수를 호출 할 수 있습니다.

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


답변