2

我正在从从列表中选择产品的表单发布到显示所选产品的页面。我想在每个项目旁边有一个链接,用于从所选列表(数组)中删除一个项目。

我怎么做?单击删除链接后,我似乎失去了会话。

session_start();

foreach($_SESSION['id'] as $key => $value){

      $array = explode(',', $value);

      if($value[0]!=''){
        $id = $array[0];
        $query = "SELECT * FROM products WHERE id = '$id'";
        $result = mysqli_query($dbc, $query);

          while ($row = mysqli_fetch_array($result)) {

            $product_id = $row['id'];

            echo '<tr valign="bottom">';
            echo '<td>' . stripslashes($row['category']) . '</a></td>';
            echo '<td>' . stripslashes($row['itemDesc']) . '</a></td>';
            echo '<td class="right">' . stripslashes(number_format($row['points'], 2)) . '</a></td>';
            echo '<td><a href="' . $_SERVER['PHP_SELF'] . '?action=remove&key=' . $key . '&s=' . $_SESSION['id'] . '">Remove</a></td>';
            echo "</tr>\n\n";
            $points = stripslashes($row['points']);
            @$points_total += $points;
          }
      }
      }


$postid = $_POST['id'];
$_SESSION['id'] = $_POST['id'];

$product_id = htmlspecialchars(@$_GET['id'], ENT_QUOTES, 'UTF-8');//the product id from the URL
$s = $_SESSION['id'];
$s = htmlspecialchars(@$_GET['key'], ENT_QUOTES, 'UTF-8');//the product id from the URL
$action = htmlspecialchars(@$_GET['action'], ENT_QUOTES, 'UTF-8'); //the action from the URL

switch($action) {
    case "remove":
        unset($array[$id]); //remove $product_id from the array with
        echo $action . $product_id;
break;
    }

这是表单的 HTML:

 <form method="post" action="products_selected.php">
<?php

  $query = "SELECT * FROM products ORDER BY rangeCode, category ASC";
  $result = mysqli_query($dbc, $query);
  while ($row = mysqli_fetch_array($result)) {

      $id = $row['id'];

    echo '<tr valign="bottom">';
    echo '<td>' . stripslashes($row['rangeCode']) . '</td>';
    echo '<td>' . stripslashes($row['category']) . '</a></td>';
    echo '<td>' . stripslashes($row['itemDesc']) . '</a></td>';
    echo '<td>' . number_format($row['points'], 2) . ' points ';
    echo '<input type="checkbox" name="id[]" value="' . $id . '" /></td>';
    echo '</tr>' . "\n\n";
  }
  mysqli_close($dbc);
?>
 <tr><td colspan=13><input type="submit" name="submit" value="Order" /></td></tr>
4

1 回答 1

3

好的。在围绕这个问题进行了一些聊天和合作后,我们发现了一些问题。

  1. 需要在使用 $_GET 和 $_POST 数据的代码周围插入检查,以避免对其他变量进行不必要的修改(例如:当用户单击“删除”以从他的选择中删除一个项目时,$_SESSION 数组将使用 $_POST 数组进行更新;因为它不包含任何内容,所以会话数组被清空(这就是会话被认为丢失的原因):
  2. 要从会话中查找和删除项目,我们必须使用从 url 检索到的键并检查它是否存在于会话数组中。这可以在下面的代码中看到。

    if (isset($_POST['id']))
    { 
      $_SESSION['id'] = $_POST['id']; 
    } 
    
    if(isset($_GET['key']) && ($_GET['action'] == 'remove'))
    { 
      if (array_key_exists($_GET['key'], $_SESSION['id']))
      { 
        unset($_SESSION['id'][$_GET['key']]); 
      } 
    } 
    

对代码进行了其他一些小的更改,但主要问题是解释的问题。

于 2013-03-11T16:25:06.827 回答