OneBite.Dev - Coding blog in a bite size

check if checkbox is checked javascript

Code snippet for how to how to check if checkbox is checked javascript with sample and detail explanation

In web development, you might often find yourself in a situation where you need to check whether a checkbox is checked or not using JavaScript. This simple article will guide you on how to easily accomplish that.

Code snippet for checking if a checkbox is checked

Here is the simple JavaScript code snippet you can use:

var checkbox = document.getElementById('check');
if (checkbox.checked) {
   // Checkbox is checked
} else {
   // Checkbox is not checked
}

In this code, ‘check’ is the ID of the checkbox you are trying to check.

Code Explanation for checking if a checkbox is checked

Let’s break down the above JavaScript code snippet step by step:

  1. Assign the checkbox to a variable: To make our work easier, we first assign the checkbox we want to check to a variable. This is done by using the document.getElementById() function where ‘check’ is the ID of the checkbox we want to check.

    var checkbox = document.getElementById('check');
  2. Check if the checkbox is checked: Using an if-else statement, we can now determine if the checkbox is checked or not. Here we are using the .checked property of the checkbox element which returns a Boolean indicating whether the checkbox is checked or not.

    if (checkbox.checked) {
       // Checkbox is checked, write your logic here
    } else {
       // Checkbox is not checked, write your logic here
    }

So, with this simple JavaScript code, you can easily check whether a checkbox is checked or not and run specific code depending on the checkbox’s state. This can be especially useful in forms or anywhere you need a user to agree or verify something before proceeding.

javascript