1. ホーム
  2. ハイパーリンク

[解決済み】HTMLテキストを選択不可にする方法【重複あり

2022-04-10 02:01:52

質問

ウェブページにラベルとしてテキストを追加し、選択できないようにしたいのですが。

つまり、マウスカーソルがテキストの上にあるとき、テキスト選択カーソルに全くならないようにしたいのです。

私が実現しようとしていることの良い例は、このウェブサイトのボタン(質問、タグ、ユーザー、...)です。

どのように解決するのですか?

これは普通のHTMLではできないので、JSFはここでもあまり役に立ちません。

をターゲットにしている場合 まともなブラウザ のみを使用する場合は、CSS3のみを使用します。

.unselectable {
    -webkit-touch-callout: none;
    -webkit-user-select: none;
    -khtml-user-select: none;
    -moz-user-select: none;
    -ms-user-select: none;
    user-select: none;
}

<label class="unselectable">Unselectable label</label>

古いブラウザもカバーしたい場合は、このJavaScriptのフォールバックを検討してください。

<!doctype html>
<html lang="en">
    <head>
        <title>SO question 2310734</title>
        <script>
            window.onload = function() {
                var labels = document.getElementsByTagName('label');
                for (var i = 0; i < labels.length; i++) {
                    disableSelection(labels[i]);
                }
            };
            function disableSelection(element) {
                if (typeof element.onselectstart != 'undefined') {
                    element.onselectstart = function() { return false; };
                } else if (typeof element.style.MozUserSelect != 'undefined') {
                    element.style.MozUserSelect = 'none';
                } else {
                    element.onmousedown = function() { return false; };
                }
            }
        </script>
    </head>
    <body>
        <label>Try to select this</label>
    </body>
</html>

もし、すでに jQuery この例では、新しい機能を追加しています。 disableSelection() をjQueryに追加することで、jQueryのコード内の任意の場所で使用することができます。

<!doctype html>
<html lang="en">
    <head>
        <title>SO question 2310734 with jQuery</title>
        <script src="http://code.jquery.com/jquery-latest.min.js"></script>
        <script>
            $.fn.extend({ 
                disableSelection: function() { 
                    this.each(function() { 
                        if (typeof this.onselectstart != 'undefined') {
                            this.onselectstart = function() { return false; };
                        } else if (typeof this.style.MozUserSelect != 'undefined') {
                            this.style.MozUserSelect = 'none';
                        } else {
                            this.onmousedown = function() { return false; };
                        }
                    }); 
                } 
            });

            $(document).ready(function() {
                $('label').disableSelection();            
            });
        </script>
    </head>
    <body>
        <label>Try to select this</label>
    </body>
</html>