Pre-selecting an Item in a Drop-Down Box with HTML and PHP
To pre-select an item in a drop-down box based on a database value, you need to set the selected attribute of the corresponding option tag.
Regarding the provided code, the selected attribute is mistakenly set on the select element. To fix this, you need to assign it to the correct option tag based on the value stored in the database row.
Updated Code:
<code class="html"><select> <option value="January" <?php echo $row['month'] == 'January' ? 'selected="selected"' : ''; ?>>January</option> <option value="February" <?php echo $row['month'] == 'February' ? 'selected="selected"' : ''; ?>>February</option> <option value="March" <?php echo $row['month'] == 'March' ? 'selected="selected"' : ''; ?>>March</option> <option value="April" <?php echo $row['month'] == 'April' ? 'selected="selected"' : ''; ?>>April</option> </select></code>
Simplified Approach:
An alternative approach involves creating an array of values and iterating through it to generate the drop-down box.
Updated Code:
<code class="php">$months = ['January', 'February', 'March', 'April']; echo '<select>'; foreach ($months as $month) { echo '<option value="' . $month . '" ' . ($month == $row['month'] ? 'selected="selected"' : '') . '>' . $month . '</option>'; } echo '</select>';</code>
By using the selected="selected" attribute, you can ensure that the item corresponding to the database value is pre-selected in the drop-down box, allowing users to easily edit their selections.
The above is the detailed content of How to Pre-Select an Item in a Drop-Down Box Using HTML and PHP?. For more information, please follow other related articles on the PHP Chinese website!