getting multiple checkboxes names/id’s with php

Checkbox values are submitted from a form only if the checkbox is selected. What’s more, it’s the name attribute that counts, not the ID.

There are several ways of handling checkboxes in PHP:

  1. Give all checkboxes the same name followed by a pair of square brackets, so the entire set is treated as an array. In this case, give each checkbox a value.
  2. Give each checkbox a different name and a value.
  3. Give each checkbox a different name, but no value.

In each case, you need to check for the existence of the checkbox name in the $_POST array.

For example:

<input type="checkbox" name="color[]" id="orange" value="orange">
<input type="checkbox" name="color[]" id="apple" value="apple">

To get the values for these checkboxes:

if (isset($_POST['color'])) {
    $colors = $_POST['color'];
    // $colors is an array of selected values
}

However, if each checkbox has a different name and an explicit value like this:

<input type="checkbox" name="orange" id="orange" value="orange">
<input type="checkbox" name="apple" id="apple" value="apple">

You still need to use isset():

if (isset($_POST['orange'])) {
    // orange has been set and its value is "orange"
}

If you don’t set a value, the default value is “on”, but it won’t be in the $_POST array unless it has been selected, so you still need to use isset().

Leave a Comment