Skip to content Skip to sidebar Skip to footer

JQuery Checking A Checkbox And Triggering Javascript Onclick Event

I'm trying to check a checkbox using jQuery and trigger the onclick event in the process. Say I have a checkbox defined in html: ).attr('checked', true).triggerHandler('click');

Also, use .prop() instead of .attr():

$('input[name=check1]').prop('checked', true).triggerHandler('click');

(if you're using jQuery 1.6 or newer.) edit — Also, as I commented on another answer, you have to watch out for jQuery's weird behavior when programmatically triggering events. Here is an illustrative jsfiddle. When a real "click" happens on an element, the "click" handler for the element will see the updated value of the "checked" flag. That is, if you click on an unchecked checkbox, the click handler will see the "checked" flag set to true. However, if you trigger "click" on an unchecked checkbox via jQuery, the "click" handler will see the "checked" flag set to false! That's a really bad thing, in my opinion, but it's always done that.

edit again — oh, also, I forgot another important (and irritating) jQuery weirdness: for reasons unknown, the .triggerHandler() API will only invoke handlers on the first matched element. If you try to trigger all the checkbox "click" handlers, in other words:

$('input:checkbox').triggerHandler('click');

then only the first checkbox on the page will be triggered. What I generally do in order to deal with the insanity is bind the handler with my own fake event name as well as "click":

$('input:checkbox').bind('click my-click', function() ... ) // or ".on()" with 1.7

That way I can trigger "my-click" and get the best of both worlds: the library triggers the handler on all the matched elements, but it won't toggle the actual state of the elements.


Solution 2:

Change:

$('input[name=check1]').attr('checked', true).trigger('click');

To:

$('input[name=check1]').trigger('click').prop('checked', true);

Solution 3:

this answer seems to work fine:

$('input[name=check1]').attr('checked', true).change();

jsFiddle demo


Solution 4:

.on('changed', ...) is definitely what you should be binding to on checkbox elements (it behaves much more reasonably. Then you could just manually trigger a .click() on the elements you want to toggle the state of to see the proper event trigger happen (and see the DOM in a matching state to what those handlers also saw).

<input type="checkbox" value="checked" name="check1">
<script>
    $('input').on('change', function(e) {alert(e.target.value);});
    $('input').click();
    // see the alert, and if you checked $(e.target).is(':checked') you should get true
</script>

Solution 5:

on click checked..again click uncheck..
Here is the logic of this

$('input[name=check1]').prop('checked',!$('input[name=check1]').prop('checked'));

Post a Comment for "JQuery Checking A Checkbox And Triggering Javascript Onclick Event"