jQuery检查是否有任何文本输入有值

时间:2014-03-10 07:13:44

标签: javascript jquery jquery-selectors

我想问一下jQuery中是否有更好的方法来选择多个文本输入,然后检查它们中是否有值。这是我的代码:

if ($("#reference").val() != "" || $("#pin").val() != "" || $("#fName").val() != "" || $("#mName").val() != "" || $("#datepicker").val() != "") { /*logic goes here */ }

5 个答案:

答案 0 :(得分:50)

你可以这样做:

if ($("#reference,#pin,#fName,#mName,#datepicker").filter(function() { return $(this).val(); }).length > 0) {
  //..
}

使用如下的常用功能可以重复使用:

function hasValue(elem) {
    return $(elem).filter(function() { return $(this).val(); }).length > 0;
}

你可以这样称呼它:

hasValue("#my-input-id");

答案 1 :(得分:10)

尝试jQuery each()

 $('input[type=text]').each(function(){
     var text_value=$(this).val();
     if(text_value!='')
       {
        console.log('Value exist');
        }

   })

答案 2 :(得分:2)

请使用:

if (!$("#id").val().length == 0))

答案 3 :(得分:2)

length上获取filter()属性的问题是jQuery将评估集合中的每个元素,只是为了填充计数,当我们关心的是值是否大于零时

当前的答案都没有,甚至jQuery自己的.is().has().filter()都会在符合条件后立即使用短路。

您可以像这样定义一个名为.any()的简单扩展方法:

jQuery.fn.any = function(filter){ 
    for (i=0 ; i<this.length ; i++) {
     if (filter.call(this[i])) return true;
  }
  return false;
};

然后传递一个像这样的过滤函数:

var someInputsEmpty = $("#reference,#pin,#fName,#mName,#datepicker").any(function() { 
    return this.value == '';
});

&#13;
&#13;
jQuery.fn.any = function(filter){ 
	for (i=0 ; i<this.length ; i++) {
  	 if (filter.call(this[i])) return true;
  }
  return false;
};

$(function() {
	
  var gotMatch = $(":input").any(function() { 
                   return this.value == 'hi';
                 });

  if (gotMatch) {
    console.log("Hello to you too!");
  } else {
  	console.log("Why don't you say Hi!");
  }
  
})
&#13;
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>

<input type="text" value="">
<input type="text" value="">
<input type="text" value="">
&#13;
&#13;
&#13;

进一步阅读:

答案 4 :(得分:0)

怎么样:

http://jsfiddle.net/lollero/rr2ss/1/

另一个例子:http://jsfiddle.net/lollero/rr2ss/12/

$(function() {

    // Check value of each and every input element....
    // Which you can of course change to be more specific, like: $('#myForm input')
    $( "input" ).val(function( i, val ) {

        // Return the console log IF value is not empty
        // value=" " still counts as "not empty", because technically it isn't
        // You could of course replace the console.log(); with anything you'd like
        val && console.log('not empty: input-' + (++i) );

        // Note that you don't have to return val if you don't  want to, it's just for show in this case.
        return val

    });

});