web-dev-qa-db-ja.com

jQueryを使用して入力のデフォルト値を取得する

$(".box_yazi2").each(function () {
    var default_value = this.value;
    $(this).css('color', '#555'); // this could be in the style sheet instead
    $(this).focus(function () {
        if (this.value == default_value) {
            this.value = '';
            $(this).css('color', '#000');
        }
    });
    $(this).blur(function () {
        if (this.value == '') {
            $(this).css('color', '#555');
            this.value = default_value;
        }
    });
});

この入力のデフォルト値の関数はFFでは機能しませんが、IEで完全に機能します。もちろん、入力自体は次のようになります。

<input type="text" class="box_yazi2" id="konu" name="konu" value="Boş" />
17
Bato Dor

解決策は非常に簡単です。コードに余分な});があります(@ Box9に感謝)。

変数を再利用し、多数のjQueryオブジェクトを作成しないことをお勧めします。

例をbackground-colorに変更しましたが、機能します。

$('.box_yazi2').each(function(index, element) {
    var $element = $(element);
    var defaultValue = $element.val();
    $element.css('background-color', '#555555');
    $element.focus(function() {
        var actualValue = $element.val();
        if (actualValue == defaultValue) {
            $element.val('');
            $element.css('background-color', '#3399FF');
        }
    });
    $element.blur(function() {
        var actualValue = $element.val();
        if (!actualValue) {
            $element.val(defaultValue);
            $element.css('background-color', '#555555');
        }
    });
});

デモ

9

defaultValue プロパティを使用するだけです。

var default_value = $(this).prop("defaultValue");

または:

var default_value = this.defaultValue;
75
Salman A
$('input[type="text"]').focus( function(){
            elementValue = $(this).val();
            $(this).val("");
        });
        $('input[type="text"]').blur( function(){
            if($(this).val() != elementValue && $(this).val() != ""){

            }else{
                $(this).val(elementValue);
            }

        });
2
lior amrosi

使用する this.defaultValue

W3notcoolsへのリンクをごめんなさい http://www.w3schools.com/jsref/prop_text_defaultvalue.asp

1
23inhouse

私は次のコードを使用しています:

    //clear the focused inputs
$('input[type="text"]').focus( function(){
    if( $(this).attr('value') == $(this).attr('defaultValue') ){
        $(this).attr('value', '');
    };
} );
$('input[type="text"]').blur( function(){
    if( $(this).attr('value') == '' ){
        $(this).attr('value', $(this).attr('defaultValue') );
    };
} );
1
Sirozha

正直に言うと、多くの関数の代わりにpropを使用する必要があります。遅延静的バインディングには、「on」の代わりに「delegate」を使用してください。

$('.box_yazi2').each(function() {

$(this).on('focus', function(){

   if($(this).val() == $(this).prop('defaultValue')){

      $(this).val('');
      $(this).css('color', '#000');
    }

});

$(this).on('blur', function(){

   if($(this).val() == ''){

      $(this).val($(this).prop('defaultValue'));
      $(this).css('color', '#000');
   }

});

});
0
Wahab Qureshi