Reputation: 31
Is it possible to display saved values in dropdown from mysql to php when i login again? My codes saves the value in Mysql. But when i login back, it displays blanks field (which is default in dropdown list)
$sql = "SELECT Program_Description FROM programs";
$result = mysqli_query($dbc, $sql);
$dropdown = "<select name='Program_Description'>";
$dropdown .= "<option value= ></option>";
while($row = mysqli_fetch_assoc($result)) {
$dropdown .= "\r\n<option value='{$row['Program_Description']}'>{$row ['Program_Description']} </option>";
}
$dropdowna .= "\r\n</select>";
Upvotes: 0
Views: 579
Reputation: 518
Do this
//Suppose the $selecteValue contains the selected value which you have fetched from the database
$selectedValue = 'test';
$sql = "SELECT Program_Description FROM programs";
$result = mysqli_query($dbc, $sql);
$dropdown = "<select name='Program_Description'>";
$dropdown .= "<option value= ></option>";
while($row = mysqli_fetch_assoc($result)) {
$dropdown .= "\r\n<option ".(($selectedValue == $row['Program_Description']) ? ' selected ' : '')." value='{$row['Program_Description']}'>{$row['Program_Description']} </option>";
}
$dropdowna .= "\r\n</select>";
Another solution would be to
$sql = "SELECT Program_Description FROM programs";
$result = mysqli_query($dbc, $sql);
$dropdown = "<select name='Program_Description'>";
$dropdown .= "<option value= ></option>";
$strSelect = '';
while($row = mysqli_fetch_assoc($result)) {
if ($selectedValue == $row['Program_Description']) { $strSelect = ' selected '; } else { $strSelect = ''; }
$dropdown .= "\r\n<option ".$strSelect." value='{$row['Program_Description']}'>{$row['Program_Description']} </option>";
}
$dropdowna .= "\r\n</select>";
Upvotes: 1
Reputation: 467
Try this,
$sql = "SELECT Program_Description FROM programs";
$result = mysqli_query($dbc, $sql);
$savedValueInDb = ""; //fetch the DB saved value and assign to this variable
$dropdown = "<select name='Program_Description'>";
$dropdown .= "<option value= ></option>";
while($row = mysqli_fetch_assoc($result)) {
$dropdown .= "\r\n<option value='{$row['Program_Description']}'";
$dropdown .= ($savedValueInDb == $row ['Program_Description']) ? " selected " : "";
$dropdown .= ">{$row ['Program_Description']} </option>";
}
$dropdowna .= "\r\n</select>";
Upvotes: 1