Keith
Keith

Reputation: 26489

JQuery Blur Validation Problem

I have a simple form that I want to validate using blur if the text field is empty.

The below code should work, but keeps alerting me even if I pop in some text, please, what am I doing wrong?

var name = $("input#name").val();
$("input#name").blur(function() 
{
      if (('input#name:empty'))
      {
            // Testing
            alert('Empty');
      }
});

Upvotes: 0

Views: 2082

Answers (2)

Kevin Le - Khnle
Kevin Le - Khnle

Reputation: 10857

Try this:

$("input#name").blur(function() 
{
  var name = $(this).val();
  if (name.length == 0)
  {
        // Testing
        alert('Empty');
  }
});

Edit: Nick pointed out that the input text needs to checked when the blur happens. If I make any more change, it will be just like his answer, so I stop here.

Upvotes: 0

Nick Craver
Nick Craver

Reputation: 630379

You want to use $(this).val(), like this:

$("input#name").blur(function() {
   if ($(this).val().length === 0) {
     // Testing
     alert('Empty');
   }
});

Currently you're checking if('input#name:empty') which is true, any string is going to be true in JavaScript (which is weakly typed). Also the :empty selector checks that it has no child elements, not that its value is empty, so check that the value is an empty string, or the .length is empty like I have above :)

Also, unless there is the possibility of this ID being on another element type you don't want to match, #name will suffice and be faster, the input prefix is superfluous.

Upvotes: 1

Related Questions