PHP multiple inputs and checkboxes arrays on form POST [duplicate] - php
I've got a load of checkboxes that are checked by default. My users will probably uncheck a few (if any) of the checkboxes and leave the rest checked.
Is there any way to make the form POST the checkboxes that are not checked, rather than the ones that are checked?
The solution I liked the most so far is to put a hidden input with the same name as the checkbox that might not be checked. I think it works so that if the checkbox isn't checked, the hidden input is still successful and sent to the server but if the checkbox is checked it will override the hidden input before it. This way you don't have to keep track of which values in the posted data were expected to come from checkboxes.
<form>
<input type='hidden' value='0' name='selfdestruct'>
<input type='checkbox' value='1' name='selfdestruct'>
</form>
Add a hidden input for the checkbox with a different ID:
<input id='testName' type='checkbox' value='Yes' name='testName'>
<input id='testNameHidden' type='hidden' value='No' name='testName'>
Before submitting the form, disable the hidden input based on the checked condition:
form.addEventListener('submit', () => {
if(document.getElementById("testName").checked) {
document.getElementById('testNameHidden').disabled = true;
}
}
I solved it by using vanilla JavaScript:
<input type="hidden" name="checkboxName" value="0"><input type="checkbox" onclick="this.previousSibling.value=1-this.previousSibling.value">
Be careful not to have any spaces or linebreaks between this two input elements!
You can use this.previousSibling.previousSibling to get "upper" elements.
With PHP you can check the named hidden field for 0 (not set) or 1 (set).
My personal favorite is to add a hidden field with the same name that will be used if the check-box is unchecked. But the solution is not as easy as it may seems.
If you add this code:
<form>
<input type='hidden' value='0' name='selfdestruct'>
<input type='checkbox' value='1' name='selfdestruct'>
</form>
The browser will not really care about what you do here. The browser will send both parameters to the server, and the server has to decide what to do with them.
PHP for example takes the last value as the one to use (see: Authoritative position of duplicate HTTP GET query keys)
But other systems I worked with (based on Java) do it the way around - they offer you only the first value.
.NET instead will give you an array with both elements instead
I'll try to test this with node.js, Python and Perl at sometime.
you don't need to create a hidden field for all checkboxes just copy my code.
it will change the value of checkbox if not checked the value will assign 0 and if checkbox checked then assign value into 1
$("form").submit(function () {
var this_master = $(this);
this_master.find('input[type="checkbox"]').each( function () {
var checkbox_this = $(this);
if( checkbox_this.is(":checked") == true ) {
checkbox_this.attr('value','1');
} else {
checkbox_this.prop('checked',true);
//DONT' ITS JUST CHECK THE CHECKBOX TO SUBMIT FORM DATA
checkbox_this.attr('value','0');
}
})
})
A common technique around this is to carry a hidden variable along with each checkbox.
<input type="checkbox" name="mycheckbox" />
<input type="hidden" name="mycheckbox.hidden"/>
On the server side, we first detect list of hidden variables and for each of the hidden variable, we try to see if the corresponding checkbox entry is submitted in the form data or not.
The server side algorithm would probably look like:
for input in form data such that input.name endswith .hidden
checkboxName = input.name.rstrip('.hidden')
if chceckbName is not in form, user has unchecked this checkbox
The above doesn't exactly answer the question, but provides an alternate means of achieving similar functionality.
I know this question is 3 years old but I found a solution that I think works pretty well.
You can do a check if the $_POST variable is assigned and save it in a variable.
$value = isset($_POST['checkboxname'] ? 'YES' : 'NO';
the isset() function checks if the $_POST variable is assigned. By logic if it is not assigned then the checkbox is not checked.
$('input[type=checkbox]').on("change",function(){
var target = $(this).parent().find('input[type=hidden]').val();
if(target == 0)
{
target = 1;
}
else
{
target = 0;
}
$(this).parent().find('input[type=hidden]').val(target);
});
<p>
<input type="checkbox" />
<input type="hidden" name="test_checkbox[]" value="0" />
</p>
<p>
<input type="checkbox" />
<input type="hidden" name="test_checkbox[]" value="0" />
</p>
<p>
<input type="checkbox" />
<input type="hidden" name="test_checkbox[]" value="0" />
</p>
If you leave out the name of the checkbox it doesn't get passed.
Only the test_checkbox array.
You can do some Javascript in the form's submit event. That's all you can do though, there's no way to get browsers to do this by themselves. It also means your form will break for users without Javascript.
Better is to know on the server which checkboxes there are, so you can deduce that those absent from the posted form values ($_POST in PHP) are unchecked.
I also like the solution that you just post an extra input field, using JavaScript seems a little hacky to me.
Depending on what you use for you backend will depend on which input goes first.
For a server backend where the first occurrence is used (JSP) you should do the following.
<input type="checkbox" value="1" name="checkbox_1"/>
<input type="hidden" value="0" name="checkbox_1"/>
For a server backend where the last occurrence is used (PHP,Rails) you should do the following.
<input type="hidden" value="0" name="checkbox_1"/>
<input type="checkbox" value="1" name="checkbox_1"/>
For a server backend where all occurrences are stored in a list data type ([],array). (Python / Zope)
You can post in which ever order you like, you just need to try to get the value from the input with the checkbox type attribute. So the first index of the list if the checkbox was before the hidden element and the last index if the checkbox was after the hidden element.
For a server backend where all occurrences are concatenated with a comma (ASP.NET / IIS)
You will need to (split/explode) the string by using a comma as a delimiter to create a list data type. ([])
Now you can attempt to grab the first index of the list if the checkbox was before the hidden element and grab the last index if the checkbox was after the hidden element.
image source
I would actually do the following.
Have my hidden input field with the same name with the checkbox input
<input type="hidden" name="checkbox_name[]" value="0" />
<input type="checkbox" name="checkbox_name[]" value="1" />
and then when i post I first of all remove the duplicate values picked up in the $_POST array, atfer that display each of the unique values.
$posted = array_unique($_POST['checkbox_name']);
foreach($posted as $value){
print $value;
}
I got this from a post remove duplicate values from array
"I've gone with the server approach. Seems to work fine - thanks. – reach4thelasers Dec 1 '09 at 15:19" I would like to recommend it from the owner. As quoted: javascript solution depends on how the server handler (I didn't check it)
such as
if(!isset($_POST["checkbox"]) or empty($_POST["checkbox"])) $_POST["checkbox"]="something";
Most of the answers here require the use of JavaScript or duplicate input controls. Sometimes this needs to be handled entirely on the server-side.
I believe the (intended) key to solving this common problem is the form's submission input control.
To interpret and handle unchecked values for checkboxes successfully you need to have knowledge of the following:
The names of the checkboxes
The name of the form's submission input element
By checking whether the form was submitted (a value is assigned to the submission input element), any unchecked checkbox values can be assumed.
For example:
<form name="form" method="post">
<input name="value1" type="checkbox" value="1">Checkbox One<br/>
<input name="value2" type="checkbox" value="1" checked="checked">Checkbox Two<br/>
<input name="value3" type="checkbox" value="1">Checkbox Three<br/>
<input name="submit" type="submit" value="Submit">
</form>
When using PHP, it's fairly trivial to detect which checkboxes were ticked.
<?php
$checkboxNames = array('value1', 'value2', 'value3');
// Persisted (previous) checkbox state may be loaded
// from storage, such as the user's session or a database.
$checkboxesThatAreChecked = array();
// Only process if the form was actually submitted.
// This provides an opportunity to update the user's
// session data, or to persist the new state of the data.
if (!empty($_POST['submit'])) {
foreach ($checkboxNames as $checkboxName) {
if (!empty($_POST[$checkboxName])) {
$checkboxesThatAreChecked[] = $checkboxName;
}
}
// The new state of the checkboxes can be persisted
// in session or database by inspecting the values
// in $checkboxesThatAreChecked.
print_r($checkboxesThatAreChecked);
}
?>
Initial data could be loaded on each page load, but should be only modified if the form was submitted. Since the names of the checkboxes are known beforehand, they can be traversed and inspected individually, so that the the absence of their individual values indicates that they are not checked.
I've tried Sam's version first.
Good idea, but it causes there to be multiple elements in the form with the same name. If you use any javascript that finds elements based on name, it will now return an array of elements.
I've worked out Shailesh's idea in PHP, it works for me.
Here's my code:
/* Delete '.hidden' fields if the original is present, use '.hidden' value if not. */
foreach ($_POST['frmmain'] as $field_name => $value)
{
// Only look at elements ending with '.hidden'
if ( !substr($field_name, -strlen('.hidden')) ) {
break;
}
// get the name without '.hidden'
$real_name = substr($key, strlen($field_name) - strlen('.hidden'));
// Create a 'fake' original field with the value in '.hidden' if an original does not exist
if ( !array_key_exists( $real_name, $POST_copy ) ) {
$_POST[$real_name] = $value;
}
// Delete the '.hidden' element
unset($_POST[$field_name]);
}
You can also intercept the form.submit event and reverse check before submit
$('form').submit(function(event){
$('input[type=checkbox]').prop('checked', function(index, value){
return !value;
});
});
I use this block of jQuery, which will add a hidden input at submit-time to every unchecked checkbox. It will guarantee you always get a value submitted for every checkbox, every time, without cluttering up your markup and risking forgetting to do it on a checkbox you add later. It's also agnostic to whatever backend stack (PHP, Ruby, etc.) you're using.
// Add an event listener on #form's submit action...
$("#form").submit(
function() {
// For each unchecked checkbox on the form...
$(this).find($("input:checkbox:not(:checked)")).each(
// Create a hidden field with the same name as the checkbox and a value of 0
// You could just as easily use "off", "false", or whatever you want to get
// when the checkbox is empty.
function(index) {
var input = $('<input />');
input.attr('type', 'hidden');
input.attr('name', $(this).attr("name")); // Same name as the checkbox
input.attr('value', "0"); // or 'off', 'false', 'no', whatever
// append it to the form the checkbox is in just as it's being submitted
var form = $(this)[0].form;
$(form).append(input);
} // end function inside each()
); // end each() argument list
return true; // Don't abort the form submit
} // end function inside submit()
); // end submit() argument list
$('form').submit(function () {
$(this).find('input[type="checkbox"]').each( function () {
var checkbox = $(this);
if( checkbox.is(':checked')) {
checkbox.attr('value','1');
} else {
checkbox.after().append(checkbox.clone().attr({type:'hidden', value:0}));
checkbox.prop('disabled', true);
}
})
});
I see this question is old and has so many answers, but I'll give my penny anyway.
My vote is for the javascript solution on the form's 'submit' event, as some has pointed out. No doubling the inputs (especially if you have long names and attributes with php code mixed with html), no server side bother (that would require to know all field names and to check them down one by one), just fetch all the unchecked items, assign them a 0 value (or whatever you need to indicate a 'not checked' status) and then change their attribute 'checked' to true
$('form').submit(function(e){
var b = $("input:checkbox:not(:checked)");
$(b).each(function () {
$(this).val(0); //Set whatever value you need for 'not checked'
$(this).attr("checked", true);
});
return true;
});
this way you will have a $_POST array like this:
Array
(
[field1] => 1
[field2] => 0
)
What I did was a bit different. First I changed the values of all the unchecked checkboxes. To "0", then selected them all, so the value would be submitted.
function checkboxvalues(){
$("#checkbox-container input:checkbox").each(function({
if($(this).prop("checked")!=true){
$(this).val("0");
$(this).prop("checked", true);
}
});
}
I would prefer collate the $_POST
if (!$_POST['checkboxname']) !$_POST['checkboxname'] = 0;
it minds, if the POST doesn't have have the 'checkboxname'value, it was unckecked so, asign a value.
you can create an array of your ckeckbox values and create a function that check if values exist, if doesn`t, it minds that are unchecked and you can asign a value
Might look silly, but it works for me. The main drawback is that visually is a radio button, not a checkbox, but it work without any javascript.
HTML
Initialy checked
<span><!-- set the check attribute for the one that represents the initial value-->
<input type="radio" name="a" value="1" checked>
<input type="radio" name="a" value="0">
</span>
<br/>
Initialy unchecked
<span><!-- set the check attribute for the one that represents the initial value-->
<input type="radio" name="b" value="1">
<input type="radio" name="b" value="0" checked>
</span>
and CSS
span input
{position: absolute; opacity: 0.99}
span input:checked
{z-index: -10;}
span input[value="0"]
{opacity: 0;}
fiddle here
I'd like to hear any problems you find with this code, cause I use it in production
The easiest solution is a "dummy" checkbox plus hidden input if you are using jquery:
<input id="id" type="hidden" name="name" value="1/0">
<input onchange="$('#id').val(this.checked?1:0)" type="checkbox" id="dummy-id"
name="dummy-name" value="1/0" checked="checked/blank">
Set the value to the current 1/0 value to start with for BOTH inputs, and checked=checked if 1. The input field (active) will now always be posted as 1 or 0. Also the checkbox can be clicked more than once before submission and still work correctly.
Example on Ajax actions is(':checked') used jQuery instead of .val();
var params = {
books: $('input#users').is(':checked'),
news : $('input#news').is(':checked'),
magazine : $('input#magazine').is(':checked')
};
params will get value in TRUE OR FALSE..
Checkboxes usually represent binary data that are stored in database as Yes/No, Y/N or 1/0 values. HTML checkboxes do have bad nature to send value to server only if checkbox is checked! That means that server script on other site must know in advance what are all possible checkboxes on web page in order to be able to store positive (checked) or negative (unchecked) values. Actually only negative values are problem (when user unchecks previously (pre)checked value - how can server know this when nothing is sent if it does not know in advance that this name should be sent). If you have a server side script which dynamically creates UPDATE script there's a problem because you don't know what all checkboxes should be received in order to set Y value for checked and N value for unchecked (not received) ones.
Since I store values 'Y' and 'N' in my database and represent them via checked and unchecked checkboxes on page, I added hidden field for each value (checkbox) with 'Y' and 'N' values then use checkboxes just for visual representation, and use simple JavaScript function check() to set value of if according to selection.
<input type="hidden" id="N1" name="N1" value="Y" />
<input type="checkbox"<?php if($N1==='Y') echo ' checked="checked"'; ?> onclick="check(this);" />
<label for="N1">Checkbox #1</label>
use one JavaScript onclick listener and call function check() for each checkboxe on my web page:
function check(me)
{
if(me.checked)
{
me.previousSibling.previousSibling.value='Y';
}
else
{
me.previousSibling.previousSibling.value='N';
}
}
This way 'Y' or 'N' values are always sent to server side script, it knows what are fields that should be updated and there's no need for conversion of checbox "on" value into 'Y' or not received checkbox into 'N'.
NOTE: white space or new line is also a sibling so here I need .previousSibling.previousSibling.value. If there's no space between then only .previousSibling.value
You don't need to explicitly add onclick listener like before, you can use jQuery library to dynamically add click listener with function to change value to all checkboxes in your page:
$('input[type=checkbox]').click(function()
{
if(this.checked)
{
$(this).prev().val('Y');
}
else
{
$(this).prev().val('N');
}
});
#cpburnz got it right but to much code, here is the same idea using less code:
JS:
// jQuery OnLoad
$(function(){
// Listen to input type checkbox on change event
$("input[type=checkbox]").change(function(){
$(this).parent().find('input[type=hidden]').val((this.checked)?1:0);
});
});
HTML (note the field name using an array name):
<div>
<input type="checkbox" checked="checked">
<input type="hidden" name="field_name[34]" value="1"/>
</div>
<div>
<input type="checkbox">
<input type="hidden" name="field_name[35]" value="0"/>
</div>
<div>
And for PHP:
<div>
<input type="checkbox"<?=($boolean)?' checked="checked"':''?>>
<input type="hidden" name="field_name[<?=$item_id?>]" value="<?=($boolean)?1:0?>"/>
</div>
All answers are great, but if you have multiple checkboxes in a form with the same name and you want to post the status of each checkbox. Then i have solved this problem by placing a hidden field with the checkbox (name related to what i want).
<input type="hidden" class="checkbox_handler" name="is_admin[]" value="0" />
<input type="checkbox" name="is_admin_ck[]" value="1" />
then control the change status of checkbox by below jquery code:
$(documen).on("change", "input[type='checkbox']", function() {
var checkbox_val = ( this.checked ) ? 1 : 0;
$(this).siblings('input.checkbox_handler').val(checkbox_val);
});
now on change of any checkbox, it will change the value of related hidden field. And on server you can look only to hidden fields instead of checkboxes.
Hope this will help someone have this type of problem. cheer :)
You can add hidden elements before submitting form.
$('form').submit(function() {
$(this).find('input[type=checkbox]').each(function (i, el) {
if(!el.checked) {
var hidden_el = $(el).clone();
hidden_el[0].checked = true;
hidden_el[0].value = '0';
hidden_el[0].type = 'hidden'
hidden_el.insertAfter($(el));
}
})
});
The problem with checkboxes is that if they are not checked then they are not posted with your form. If you check a checkbox and post a form you will get the value of the checkbox in the $_POST variable which you can use to process a form, if it's unchecked no value will be added to the $_POST variable.
In PHP you would normally get around this problem by doing an isset() check on your checkbox element. If the element you are expecting isn't set in the $_POST variable then we know that the checkbox is not checked and the value can be false.
if(!isset($_POST['checkbox1']))
{
$checkboxValue = false;
} else {
$checkboxValue = $_POST['checkbox1'];
}
But if you have created a dynamic form then you won't always know the name attribute of your checkboxes, if you don't know the name of the checkbox then you can't use the isset function to check if this has been sent with the $_POST variable.
function SubmitCheckBox(obj) {
obj.value = obj.checked ? "on" : "off";
obj.checked = true;
return obj.form.submit();
}
<input type=checkbox name="foo" onChange="return SubmitCheckBox(this);">
If you want to submit an array of checkbox values (including un-checked items) then you could try something like this:
<form>
<input type="hidden" value="0" name="your_checkbox_array[]"><input type="checkbox">Dog
<input type="hidden" value="0" name="your_checkbox_array[]"><input type="checkbox">Cat
</form>
$('form').submit(function(){
$('input[type="checkbox"]:checked').prev().val(1);
});
Related
inserted value should be 0 but it's null [duplicate]
I've got a load of checkboxes that are checked by default. My users will probably uncheck a few (if any) of the checkboxes and leave the rest checked. Is there any way to make the form POST the checkboxes that are not checked, rather than the ones that are checked?
The solution I liked the most so far is to put a hidden input with the same name as the checkbox that might not be checked. I think it works so that if the checkbox isn't checked, the hidden input is still successful and sent to the server but if the checkbox is checked it will override the hidden input before it. This way you don't have to keep track of which values in the posted data were expected to come from checkboxes. <form> <input type='hidden' value='0' name='selfdestruct'> <input type='checkbox' value='1' name='selfdestruct'> </form>
Add a hidden input for the checkbox with a different ID: <input id='testName' type='checkbox' value='Yes' name='testName'> <input id='testNameHidden' type='hidden' value='No' name='testName'> Before submitting the form, disable the hidden input based on the checked condition: form.addEventListener('submit', () => { if(document.getElementById("testName").checked) { document.getElementById('testNameHidden').disabled = true; } }
I solved it by using vanilla JavaScript: <input type="hidden" name="checkboxName" value="0"><input type="checkbox" onclick="this.previousSibling.value=1-this.previousSibling.value"> Be careful not to have any spaces or linebreaks between this two input elements! You can use this.previousSibling.previousSibling to get "upper" elements. With PHP you can check the named hidden field for 0 (not set) or 1 (set).
My personal favorite is to add a hidden field with the same name that will be used if the check-box is unchecked. But the solution is not as easy as it may seems. If you add this code: <form> <input type='hidden' value='0' name='selfdestruct'> <input type='checkbox' value='1' name='selfdestruct'> </form> The browser will not really care about what you do here. The browser will send both parameters to the server, and the server has to decide what to do with them. PHP for example takes the last value as the one to use (see: Authoritative position of duplicate HTTP GET query keys) But other systems I worked with (based on Java) do it the way around - they offer you only the first value. .NET instead will give you an array with both elements instead I'll try to test this with node.js, Python and Perl at sometime.
you don't need to create a hidden field for all checkboxes just copy my code. it will change the value of checkbox if not checked the value will assign 0 and if checkbox checked then assign value into 1 $("form").submit(function () { var this_master = $(this); this_master.find('input[type="checkbox"]').each( function () { var checkbox_this = $(this); if( checkbox_this.is(":checked") == true ) { checkbox_this.attr('value','1'); } else { checkbox_this.prop('checked',true); //DONT' ITS JUST CHECK THE CHECKBOX TO SUBMIT FORM DATA checkbox_this.attr('value','0'); } }) })
A common technique around this is to carry a hidden variable along with each checkbox. <input type="checkbox" name="mycheckbox" /> <input type="hidden" name="mycheckbox.hidden"/> On the server side, we first detect list of hidden variables and for each of the hidden variable, we try to see if the corresponding checkbox entry is submitted in the form data or not. The server side algorithm would probably look like: for input in form data such that input.name endswith .hidden checkboxName = input.name.rstrip('.hidden') if chceckbName is not in form, user has unchecked this checkbox The above doesn't exactly answer the question, but provides an alternate means of achieving similar functionality.
I know this question is 3 years old but I found a solution that I think works pretty well. You can do a check if the $_POST variable is assigned and save it in a variable. $value = isset($_POST['checkboxname'] ? 'YES' : 'NO'; the isset() function checks if the $_POST variable is assigned. By logic if it is not assigned then the checkbox is not checked.
$('input[type=checkbox]').on("change",function(){ var target = $(this).parent().find('input[type=hidden]').val(); if(target == 0) { target = 1; } else { target = 0; } $(this).parent().find('input[type=hidden]').val(target); }); <p> <input type="checkbox" /> <input type="hidden" name="test_checkbox[]" value="0" /> </p> <p> <input type="checkbox" /> <input type="hidden" name="test_checkbox[]" value="0" /> </p> <p> <input type="checkbox" /> <input type="hidden" name="test_checkbox[]" value="0" /> </p> If you leave out the name of the checkbox it doesn't get passed. Only the test_checkbox array.
You can do some Javascript in the form's submit event. That's all you can do though, there's no way to get browsers to do this by themselves. It also means your form will break for users without Javascript. Better is to know on the server which checkboxes there are, so you can deduce that those absent from the posted form values ($_POST in PHP) are unchecked.
I also like the solution that you just post an extra input field, using JavaScript seems a little hacky to me. Depending on what you use for you backend will depend on which input goes first. For a server backend where the first occurrence is used (JSP) you should do the following. <input type="checkbox" value="1" name="checkbox_1"/> <input type="hidden" value="0" name="checkbox_1"/> For a server backend where the last occurrence is used (PHP,Rails) you should do the following. <input type="hidden" value="0" name="checkbox_1"/> <input type="checkbox" value="1" name="checkbox_1"/> For a server backend where all occurrences are stored in a list data type ([],array). (Python / Zope) You can post in which ever order you like, you just need to try to get the value from the input with the checkbox type attribute. So the first index of the list if the checkbox was before the hidden element and the last index if the checkbox was after the hidden element. For a server backend where all occurrences are concatenated with a comma (ASP.NET / IIS) You will need to (split/explode) the string by using a comma as a delimiter to create a list data type. ([]) Now you can attempt to grab the first index of the list if the checkbox was before the hidden element and grab the last index if the checkbox was after the hidden element. image source
I would actually do the following. Have my hidden input field with the same name with the checkbox input <input type="hidden" name="checkbox_name[]" value="0" /> <input type="checkbox" name="checkbox_name[]" value="1" /> and then when i post I first of all remove the duplicate values picked up in the $_POST array, atfer that display each of the unique values. $posted = array_unique($_POST['checkbox_name']); foreach($posted as $value){ print $value; } I got this from a post remove duplicate values from array
"I've gone with the server approach. Seems to work fine - thanks. – reach4thelasers Dec 1 '09 at 15:19" I would like to recommend it from the owner. As quoted: javascript solution depends on how the server handler (I didn't check it) such as if(!isset($_POST["checkbox"]) or empty($_POST["checkbox"])) $_POST["checkbox"]="something";
Most of the answers here require the use of JavaScript or duplicate input controls. Sometimes this needs to be handled entirely on the server-side. I believe the (intended) key to solving this common problem is the form's submission input control. To interpret and handle unchecked values for checkboxes successfully you need to have knowledge of the following: The names of the checkboxes The name of the form's submission input element By checking whether the form was submitted (a value is assigned to the submission input element), any unchecked checkbox values can be assumed. For example: <form name="form" method="post"> <input name="value1" type="checkbox" value="1">Checkbox One<br/> <input name="value2" type="checkbox" value="1" checked="checked">Checkbox Two<br/> <input name="value3" type="checkbox" value="1">Checkbox Three<br/> <input name="submit" type="submit" value="Submit"> </form> When using PHP, it's fairly trivial to detect which checkboxes were ticked. <?php $checkboxNames = array('value1', 'value2', 'value3'); // Persisted (previous) checkbox state may be loaded // from storage, such as the user's session or a database. $checkboxesThatAreChecked = array(); // Only process if the form was actually submitted. // This provides an opportunity to update the user's // session data, or to persist the new state of the data. if (!empty($_POST['submit'])) { foreach ($checkboxNames as $checkboxName) { if (!empty($_POST[$checkboxName])) { $checkboxesThatAreChecked[] = $checkboxName; } } // The new state of the checkboxes can be persisted // in session or database by inspecting the values // in $checkboxesThatAreChecked. print_r($checkboxesThatAreChecked); } ?> Initial data could be loaded on each page load, but should be only modified if the form was submitted. Since the names of the checkboxes are known beforehand, they can be traversed and inspected individually, so that the the absence of their individual values indicates that they are not checked.
I've tried Sam's version first. Good idea, but it causes there to be multiple elements in the form with the same name. If you use any javascript that finds elements based on name, it will now return an array of elements. I've worked out Shailesh's idea in PHP, it works for me. Here's my code: /* Delete '.hidden' fields if the original is present, use '.hidden' value if not. */ foreach ($_POST['frmmain'] as $field_name => $value) { // Only look at elements ending with '.hidden' if ( !substr($field_name, -strlen('.hidden')) ) { break; } // get the name without '.hidden' $real_name = substr($key, strlen($field_name) - strlen('.hidden')); // Create a 'fake' original field with the value in '.hidden' if an original does not exist if ( !array_key_exists( $real_name, $POST_copy ) ) { $_POST[$real_name] = $value; } // Delete the '.hidden' element unset($_POST[$field_name]); }
You can also intercept the form.submit event and reverse check before submit $('form').submit(function(event){ $('input[type=checkbox]').prop('checked', function(index, value){ return !value; }); });
I use this block of jQuery, which will add a hidden input at submit-time to every unchecked checkbox. It will guarantee you always get a value submitted for every checkbox, every time, without cluttering up your markup and risking forgetting to do it on a checkbox you add later. It's also agnostic to whatever backend stack (PHP, Ruby, etc.) you're using. // Add an event listener on #form's submit action... $("#form").submit( function() { // For each unchecked checkbox on the form... $(this).find($("input:checkbox:not(:checked)")).each( // Create a hidden field with the same name as the checkbox and a value of 0 // You could just as easily use "off", "false", or whatever you want to get // when the checkbox is empty. function(index) { var input = $('<input />'); input.attr('type', 'hidden'); input.attr('name', $(this).attr("name")); // Same name as the checkbox input.attr('value', "0"); // or 'off', 'false', 'no', whatever // append it to the form the checkbox is in just as it's being submitted var form = $(this)[0].form; $(form).append(input); } // end function inside each() ); // end each() argument list return true; // Don't abort the form submit } // end function inside submit() ); // end submit() argument list
$('form').submit(function () { $(this).find('input[type="checkbox"]').each( function () { var checkbox = $(this); if( checkbox.is(':checked')) { checkbox.attr('value','1'); } else { checkbox.after().append(checkbox.clone().attr({type:'hidden', value:0})); checkbox.prop('disabled', true); } }) });
I see this question is old and has so many answers, but I'll give my penny anyway. My vote is for the javascript solution on the form's 'submit' event, as some has pointed out. No doubling the inputs (especially if you have long names and attributes with php code mixed with html), no server side bother (that would require to know all field names and to check them down one by one), just fetch all the unchecked items, assign them a 0 value (or whatever you need to indicate a 'not checked' status) and then change their attribute 'checked' to true $('form').submit(function(e){ var b = $("input:checkbox:not(:checked)"); $(b).each(function () { $(this).val(0); //Set whatever value you need for 'not checked' $(this).attr("checked", true); }); return true; }); this way you will have a $_POST array like this: Array ( [field1] => 1 [field2] => 0 )
What I did was a bit different. First I changed the values of all the unchecked checkboxes. To "0", then selected them all, so the value would be submitted. function checkboxvalues(){ $("#checkbox-container input:checkbox").each(function({ if($(this).prop("checked")!=true){ $(this).val("0"); $(this).prop("checked", true); } }); }
I would prefer collate the $_POST if (!$_POST['checkboxname']) !$_POST['checkboxname'] = 0; it minds, if the POST doesn't have have the 'checkboxname'value, it was unckecked so, asign a value. you can create an array of your ckeckbox values and create a function that check if values exist, if doesn`t, it minds that are unchecked and you can asign a value
Might look silly, but it works for me. The main drawback is that visually is a radio button, not a checkbox, but it work without any javascript. HTML Initialy checked <span><!-- set the check attribute for the one that represents the initial value--> <input type="radio" name="a" value="1" checked> <input type="radio" name="a" value="0"> </span> <br/> Initialy unchecked <span><!-- set the check attribute for the one that represents the initial value--> <input type="radio" name="b" value="1"> <input type="radio" name="b" value="0" checked> </span> and CSS span input {position: absolute; opacity: 0.99} span input:checked {z-index: -10;} span input[value="0"] {opacity: 0;} fiddle here I'd like to hear any problems you find with this code, cause I use it in production
The easiest solution is a "dummy" checkbox plus hidden input if you are using jquery: <input id="id" type="hidden" name="name" value="1/0"> <input onchange="$('#id').val(this.checked?1:0)" type="checkbox" id="dummy-id" name="dummy-name" value="1/0" checked="checked/blank"> Set the value to the current 1/0 value to start with for BOTH inputs, and checked=checked if 1. The input field (active) will now always be posted as 1 or 0. Also the checkbox can be clicked more than once before submission and still work correctly.
Example on Ajax actions is(':checked') used jQuery instead of .val(); var params = { books: $('input#users').is(':checked'), news : $('input#news').is(':checked'), magazine : $('input#magazine').is(':checked') }; params will get value in TRUE OR FALSE..
Checkboxes usually represent binary data that are stored in database as Yes/No, Y/N or 1/0 values. HTML checkboxes do have bad nature to send value to server only if checkbox is checked! That means that server script on other site must know in advance what are all possible checkboxes on web page in order to be able to store positive (checked) or negative (unchecked) values. Actually only negative values are problem (when user unchecks previously (pre)checked value - how can server know this when nothing is sent if it does not know in advance that this name should be sent). If you have a server side script which dynamically creates UPDATE script there's a problem because you don't know what all checkboxes should be received in order to set Y value for checked and N value for unchecked (not received) ones. Since I store values 'Y' and 'N' in my database and represent them via checked and unchecked checkboxes on page, I added hidden field for each value (checkbox) with 'Y' and 'N' values then use checkboxes just for visual representation, and use simple JavaScript function check() to set value of if according to selection. <input type="hidden" id="N1" name="N1" value="Y" /> <input type="checkbox"<?php if($N1==='Y') echo ' checked="checked"'; ?> onclick="check(this);" /> <label for="N1">Checkbox #1</label> use one JavaScript onclick listener and call function check() for each checkboxe on my web page: function check(me) { if(me.checked) { me.previousSibling.previousSibling.value='Y'; } else { me.previousSibling.previousSibling.value='N'; } } This way 'Y' or 'N' values are always sent to server side script, it knows what are fields that should be updated and there's no need for conversion of checbox "on" value into 'Y' or not received checkbox into 'N'. NOTE: white space or new line is also a sibling so here I need .previousSibling.previousSibling.value. If there's no space between then only .previousSibling.value You don't need to explicitly add onclick listener like before, you can use jQuery library to dynamically add click listener with function to change value to all checkboxes in your page: $('input[type=checkbox]').click(function() { if(this.checked) { $(this).prev().val('Y'); } else { $(this).prev().val('N'); } });
#cpburnz got it right but to much code, here is the same idea using less code: JS: // jQuery OnLoad $(function(){ // Listen to input type checkbox on change event $("input[type=checkbox]").change(function(){ $(this).parent().find('input[type=hidden]').val((this.checked)?1:0); }); }); HTML (note the field name using an array name): <div> <input type="checkbox" checked="checked"> <input type="hidden" name="field_name[34]" value="1"/> </div> <div> <input type="checkbox"> <input type="hidden" name="field_name[35]" value="0"/> </div> <div> And for PHP: <div> <input type="checkbox"<?=($boolean)?' checked="checked"':''?>> <input type="hidden" name="field_name[<?=$item_id?>]" value="<?=($boolean)?1:0?>"/> </div>
All answers are great, but if you have multiple checkboxes in a form with the same name and you want to post the status of each checkbox. Then i have solved this problem by placing a hidden field with the checkbox (name related to what i want). <input type="hidden" class="checkbox_handler" name="is_admin[]" value="0" /> <input type="checkbox" name="is_admin_ck[]" value="1" /> then control the change status of checkbox by below jquery code: $(documen).on("change", "input[type='checkbox']", function() { var checkbox_val = ( this.checked ) ? 1 : 0; $(this).siblings('input.checkbox_handler').val(checkbox_val); }); now on change of any checkbox, it will change the value of related hidden field. And on server you can look only to hidden fields instead of checkboxes. Hope this will help someone have this type of problem. cheer :)
You can add hidden elements before submitting form. $('form').submit(function() { $(this).find('input[type=checkbox]').each(function (i, el) { if(!el.checked) { var hidden_el = $(el).clone(); hidden_el[0].checked = true; hidden_el[0].value = '0'; hidden_el[0].type = 'hidden' hidden_el.insertAfter($(el)); } }) });
The problem with checkboxes is that if they are not checked then they are not posted with your form. If you check a checkbox and post a form you will get the value of the checkbox in the $_POST variable which you can use to process a form, if it's unchecked no value will be added to the $_POST variable. In PHP you would normally get around this problem by doing an isset() check on your checkbox element. If the element you are expecting isn't set in the $_POST variable then we know that the checkbox is not checked and the value can be false. if(!isset($_POST['checkbox1'])) { $checkboxValue = false; } else { $checkboxValue = $_POST['checkbox1']; } But if you have created a dynamic form then you won't always know the name attribute of your checkboxes, if you don't know the name of the checkbox then you can't use the isset function to check if this has been sent with the $_POST variable.
function SubmitCheckBox(obj) { obj.value = obj.checked ? "on" : "off"; obj.checked = true; return obj.form.submit(); } <input type=checkbox name="foo" onChange="return SubmitCheckBox(this);">
If you want to submit an array of checkbox values (including un-checked items) then you could try something like this: <form> <input type="hidden" value="0" name="your_checkbox_array[]"><input type="checkbox">Dog <input type="hidden" value="0" name="your_checkbox_array[]"><input type="checkbox">Cat </form> $('form').submit(function(){ $('input[type="checkbox"]:checked').prev().val(1); });
PHP Form Submission: "false" not passed in
I have a form that inserts user input into a MySQL database, and one of the input field has a Boolean value. It works fine when the value is true, however if the value is false, my 'echo' and database can't receive that value at all. I really have no idea what's happening. Please take a look at my code below: HTML: <label> <input type="checkbox" id="consentForEmail" name="consentForEmail" /> <span class="wpcf7-list-item-label">By clicking this button I agree to receive emails from us</span> </label> JavaScript for collecting and setting the value: var _this = '#consentForEmail'; $('#consentForEmail').change(function(){ var checked = $('#consentForEmail').prop('checked'); $(_this).val(checked); console.log( $('#consentForEmail').val() ); }); And finally, PHP for collecting form data: $receive_email = $_POST["consentForEmail"]; echo "<li>$receive_email</li>" Thank you!
Checkboxes do not submit along with the form if they're not checked, no matter what their value is. While you CAN have a value attached to the checkbox <input>, the real test for being checked is whether the input's name appears at all: if (isset($_POST['consentForEmail'])) { ... box was checked } else { ... box was NOT checked }
Sequential Order of Checkboxes Selected PHP
At the moment, my html code is: <form id = "query" method = "post" action = "search.php"> <input type = "checkbox" name = "col_list[]" value = "host">host</input> <input type = "checkbox" name = "col_list[]" value = "atom_name>atom_name</input> … <input type = "submit">Submit</input> </form> And my php code: $columns = $_POST["col_list"]; Is there any way is which I can get the sequence in which the checkboxes where checked?
you'd need to add a some javascript to get that info. <input type="hidden" name="order"/> <!-- goes inside the form --> Here is an examply using jQuery: $('[name*="col_list"]').change(function(){ if ($(this).prop('checked')){ $('[name="order"]').val($('[name="order"]').val()+','+$(this).val()) } }); This should work fairly well with one caveat: If the user un-checks then re-ckecks a checkbox it will be added to order twice. order should result in something like: ,host,atom_name Edit Fixed some typos and here is a fiddle
If the order is important you will have to implement some form of JavaScript or AJAX and call it when the check boxes are checked. Forms do not track the order in which fields are filled. JavaScript is well suited to this because it can trigger at the time of the click. An alternative to AJAX could be adding a hidden field element and using JS to store the order clicked. Then it would be passed when the form is clicked.
Including Forms, Action Problem
Say Im reading a thread or browsing threads at read.php?tid=1 or category.php?cid=1 respectively And my form post_form.php which is included(); uses this value for a few isset functions to make sure there is a subject and body, however the form action is pointing to post.php which handles the form, so if no body and subject is submitted, the ?tid or ?cid is lost and the form brings you to posts.php What would be the best way to pass the post form the parent tid? or cid? value?
You can use type="hidden" INPUT elements to include values you don't want the user to see/manipulate. <form ... > <input type="hidden" name="tid" value="00001"/> <input type="hidden" name="cid" value="abc-009"/> ... </form> Also, if you need to load the CID/TID data into form fields, you can try the following (with hidden fields instead, I used text fields so you could see it working): CID: <input type="text" id="cid" name="cid" value=""/><br/> TID: <input type="text" id="tid" name="tid" value=""/> function getString() { // You want to use the first one that I commented out, and remove the other. //var url = unescape(window.document.location); var url = "http://www.example.com/?tid=0011&cid=mainpromo2"; var get = {}; if (url.indexOf('?') > -1) { _get = url.substr(url.indexOf('?')+1); _get = _get.split("&"); for (var i = 0; i < _get.length; i++) { pairs = _get[i].split('='); key = pairs[0]; value = pairs[1]; get[key] = value; } } return get; } getvars = getString(); document.getElementById('cid').value = getvars.cid; document.getElementById('tid').value = getvars.tid; http://jsfiddle.net/userdude/Vuenp/1/ (Note the above needs to run AFTER the form is parsed.) Of course, this would be easier if you used jQuery.
A hidden HTML element would allow you to send form data between pages. <form type=""...> <input type="hidden" name"xx" value="yy" /> </form> However, be careful relying on the values in hidden form elements, especially if the data is sensitive. Malicious users could alter the form data that gets posted, so you wouldn't want to put something that shouldn't be changed there (like a price).
losing variables from javascript array when passing to php
I'm trying to implement a page with a choice of user's preferences in an HTML form where if the checkbox ALL is selected then all sub-checkbox base1, base2 and base3 are checked automatically, and if any of sub-checkboxes is un-selected then the checkbox ALL must be unchecked. I used a javascript function which works but when I submit the form only the last variable in the array of checkboxes is sent. <SCRIPT LANGUAGE="JavaScript"> function checkChoice(field, i) { if (i == 0) { // "All" checkbox selected. if(field[0].checked==true) { for (i = 1; i < field.length; i++) field[i].checked = true; } } else { if (field[i].checked == false) { field[0].checked = false; } } } <form name="form" method = "POST" action="preferences.php"> <input type=checkbox name=classes1 value="allbases" onclick="checkChoice(document.form.classes1, 0)">All bases </td><td> <input type=checkbox name=classes1 value="base1" onclick="checkChoice(document.form.classes1, 1)">Base1 <br> <input type=checkbox name=classes1 value="base2" onclick="checkChoice(document.form.classes1, 2)">Base2 <br> <input type=checkbox name=classes1 value="base3" onclick="checkChoice(document.form.classes1, 3)">Base3 <input type="submit" value="Set preferences" > If I call the checkboxes'names in "classes1[]" all the values are submited but the javascript function doesn't work anymore. Is there a way of fixing this? Thanks for any help.
For an alternative of checkChoice: check this SO question and the jsfiddle I presented there. [edit] concerning your comment: a bit of extra thinking would have brought you to this solution
All of the values actually ARE submitted but PHP will overwrite $_POST['classes1'] each time until you are just left with the last value. If however you add '[]' to your input names then they are added to an array. Since the latter causes a problem with javascript, can you not just either a) iterate all of the form elements from the form.elements array, or b) give each input a unique id and use document.getElementById() to find it?