5

我在文件 showList.php 中写了以下表格,它从数据库中选择项目并在下拉列表中显示它们:

<form id="selForm" name="selForm" action="index.php" method="post">
<select name="selection" id="selection">
<option id="nothingSelected" >--Choose form---></option>
<?php

$con=mysql_connect("localhost","root","");
if (!$con)
  {
  die('Could not connect: ' . mysql_error());
  }
mysql_select_db("myDatabase",$con);
$result = mysql_query("SELECT * FROM formsTable");

while($row = mysql_fetch_array($result))
  {
  $selection_id=$row['id'];
if($_POST['selection']==$selection_id)$selElement="selected";
  echo "<option  id='$selection_id' name=\"sectionid\"  value='$selection_id' >";
  echo $row['nummer'] . " " . $row['titel']. " ";
  echo "</option>";
  }
?>

</select>
<input type="button" value="load form" onClick="validateForm(document.selForm)">
<input type="button" value="delete form" onClick="deleteForm(document.selForm);">
</form>

我将此文件包含在 index.php 中,如下所示:

<?php include('showList.php');?>

现在,当我调用 index.php 时,找到的表单列表将显示在下拉列表中。

这在 Firefox 中运行良好,我的问题是当我在 internetexplorer 中调用 index.php 时,出现以下错误:

Notice: Undefined index: selection in C:\path\showList.php on line 43

第 43 行是:

if($_POST['selection']==$selection_id)$selElement="selected";

正如您在上面的表格中看到的那样。任何想法?

4

2 回答 2

2

似乎您的 php 脚本正在尝试读取 $_POST 变量中的“选择”,但尚未定义。

替换该行:

if($_POST['selection']==$selection_id)

对此:

if(array_key_exists('selection', $_POST) && $_POST['selection'] == $selection_id)

或者

if(isset($_POST['selection']) && $_POST['selection'] == $selection_id) 

这应该可以修复您的警告,并且 array_key_exists 之间存在差异。在这种情况下,使用 isset() 因为它更快更容易。

于 2012-04-04T16:54:17.423 回答
2

您需要从以下位置更改问题行:

if($_POST['selection']==$selection_id)$selElement="selected";

至:

if(isset($_POST['selection']) && ($_POST['selection']==$selection_id))
    $selElement="selected";

检查一个值(如@b1onic 建议的那样)。

显然,第一次在浏览器中显示表单时不会发布任何内容 - 无论您使用哪种浏览器 - 所以您会收到该错误。

于 2012-04-04T16:55:56.317 回答