Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Return true/false value of a javascript function and then do stuff based on that

I'm building a contact form and I need help with the jQuery validator.

function contactform() {
    $("form #submit").on("click", function() {
        $("form input").removeClass("error");
        validator();
        // 3rd action goes here
    });
});

validator() checks to see if any input is left empty, and if so it adds an error class to it:

function validator() {
    $("form input").each(function() {
        var value = $(this).val();
        if (value.length <= 0) {
            $(this).addClass("error");
            return false;
        }
    });
});

Now, for the 3rd action in contactform() I want to say that if validator() = true (i.e. there no inputs that are empty), then continue on to the next code.

I can't seem to return the value of validator(). Does anybody know the best way to do this?

like image 860
izolate Avatar asked May 28 '12 18:05

izolate


1 Answers

Here is another solution using filter method:

function validator() {
    return $("form input").filter(function() {
        return $.trim(this.value).length == 0;
    }).addClass("error").length == 0;
});

function contactform() {
    ...
    if (validator()) {
        // it's OK
    } else {
        // there are errors
    }
}

UPDATE: Awesomely updated with the help of @am_not_i_am. Thanks!

like image 181
VisioN Avatar answered Oct 26 '22 22:10

VisioN