Reputation: 139862
<select id="industryExpect" multiple="multiple">
<option value="1">item1</option>
<option value="2">item2</option>
<option value="3">item3</option>
...
</select>
I'm seeing something like : industryExpect=13&industryExpect=17&industryExpect=19
Say,there are multiple value with the same KEY,
How to retrieve them from $_POST in PHP?
Upvotes: 8
Views: 11251
Reputation: 186552
Starting Html file. ex. a.html
<form action="process.php" method="post">
<select name="names[]" multiple="multiple">
<option value="john">john</option>
<option value="jack">jack</option>
</select>
<input type=hidden name=submitted>
<input type=submit name=submit>
</form>
Process.php:
<?php
print_r( $_POST['names'] );
?>
Upvotes: 1
Reputation: 546005
Give it a name with []
on the end, for example:
<select id="industryExpect" name="industryExpect[]" multiple="multiple">
<option value="1">item1</option>
<option value="2">item2</option>
<option value="3">item3</option>
</select>
Then in your $_POST
array, you'll get an array of all the selected options:
// assuming that item1 and item3 were selected:
print_r($_POST['industryExpect']);
/*
array
(
0 => 1
1 => 3
)
*/
Upvotes: 10