jitendrapurohit
jitendrapurohit

Reputation: 9675

JQuery "onchange" event on just one checkbox among multiple in a group based on label text

I have a group of checkboxes as -

<input id="check_1" name="check[1]" type="checkbox" value="1"/>
<label for="check_1">One</label>&nbsp;

<input id="check_2" name="check[2]" type="checkbox" value="1"/>
<label for="check_2">Two</label>&nbsp;

<input id="check_3" name="check[3]" type="checkbox" value="1"/>
<label for="check_3">Three</label>

Due to variable values of id and name, I'm unable to handle onclick event on checkbox with label One.

I've tried this which works fine, but I don't want to use check_1 since the number 1 is variable and could be changed.

$("#check_1").change(function() {
  alert('Checkbox One is clicked');
});

How do I do this as I have no access to modify the html ?

Upvotes: 4

Views: 3527

Answers (2)

Zakaria Acharki
Zakaria Acharki

Reputation: 67525

Looks like your only criteria is the text of the label so you could target the input based on that label like :

$('label:contains("One")').prev('input:checkbox').change(function(){
    console.log('One changed');
});
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<input id="check_1" name="check[1]" type="checkbox" value="1"/>
<label for="check_1">One</label>&nbsp;

<input id="check_2" name="check[2]" type="checkbox" value="1"/>
<label for="check_2">Two</label>&nbsp;

<input id="check_3" name="check[3]" type="checkbox" value="1"/>
<label for="check_3">Three</label>

Hope this helps.

Upvotes: 1

Aruna
Aruna

Reputation: 12022

You can use a selector like this $('input[type="checkbox"]:has(+ label:contains("One"))') with the label text as below,

$('input[type="checkbox"]:has(+ label:contains("One"))').on('click', function(){
  alert('Checkbox One is clicked');
});
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<input id="check_1" name="check[1]" type="checkbox" value="1"/>
<label for="check_1">One</label>&nbsp;

<input id="check_2" name="check[2]" type="checkbox" value="1"/>
<label for="check_2">Two</label>&nbsp;

<input id="check_3" name="check[3]" type="checkbox" value="1"/>
<label for="check_3">Three</label>

Upvotes: 5

Related Questions