Skip to content Skip to sidebar Skip to footer

How To Check Multiple Checkboxes In Javascript

I've just started to learn JavaScript and have run into a issue trying to get multiple checkboxes to work. I am trying to calculate the cost of a product based on the options chec

Solution 1:

= is the assignment operator. For comparisons, you need to use == or ===.

  • ==: This compares by type
  • === This compares by type and value

Also, saying .checked == true is redundant. You can just use .checked. Furthermore, there is no reason to declare the variables, and then set their values on seperate lines. You can reduce the code by using the ternary operator.

Check out this snippet.

functioncal() {
    var s1 = document.getElementById("1").checked ? 25 : 0;
    var s2 = document.getElementById("2").checked ? 50 : 0;
    var s3 = document.getElementById("3").checked ? 100 : 0;
    var total = s1 + s2 + s3;
    alert ("Your total is £" + total);
}
<p>Please select which options you want from the list</p><formname="priceoptions"><inputtype="checkbox"id="1"name="big"value="big"> Big Prints<br><inputtype="checkbox"id="2"name="medium"value="medium" > Medium Prints<br><inputtype="checkbox"id="3"name="small"value="small"  > Small Prints<br><inputtype="submit"id="button"value="Submit"onclick="cal()"></form>

Solution 2:

Your comparisons are not correct. A single "=" is not the correct way to compare values you need "==" for truthy and "===" for an exact match. Change it to

if (document.getElementById("1").checked == true ){
    selectionOne = 25;    
}

Solution 3:

If you need to compare two values in JavaScript you have to use == or === operators:

if (document.getElementById("1").checked == true ){

also you can simplify this if:

if (document.getElementById("1").checked){

Post a Comment for "How To Check Multiple Checkboxes In Javascript"