0

我正在构建一个购物车,我将订单保存在一个存储在会话中的多维数组中,$_SESSION['cart']

产品由类似的东西表示

$product_array=array($id,$description,$price);

多维数组是$product_array.s

$id's是独一无二的。

问题是,当我想$_SESSION['cart'] 根据 id 从多维数组中删除一个产品时,如果它只是购物车中的一个项目,它就可以工作,但如果有更多,它就不起作用,这些项目似乎已被删除,但它是鬼'留在购物车里。代码是这样的:

//get $id, $count is elements in array  

for ($r = 0; $r <= $count-1; $r++) 
{
   if($_SESSION['cart'][$r][0]=="$id")
   {
 unset($_SESSION['cart'][$r]); 

 echo "<div class=success>The item has been removed from your shopping cart.</div>";
 break;
   }
}
4

4 回答 4

1

试试这个功能,这对我有用

function remove_product($id){
$id=intval($id);
$max=count($_SESSION['cart']);
for($i=0;$i<$max;$i++){
if($id==$_SESSION['cart'][$i]['id']){
unset($_SESSION['cart'][$i]);
break;
}
}
$_SESSION['cart']=array_values($_SESSION['cart']);

if($_REQUEST['command']=='delete' && $_REQUEST['id']>0){
remove_product($_REQUEST['id']);
}
else if($_REQUEST['command']=='clear'){
unset($_SESSION['cart']);
}
else if($_REQUEST['command']=='update'){
$max=count($_SESSION['cart']);
for($i=0;$i<$max;$i++){
$id=$_SESSION['cart'][$i]['id'];
$q=intval($_REQUEST['qty'.$id]);
if($q>0 && $q<=999){
$_SESSION['cart'][$i]['qty']=$q;
}
else{
$msg='Some proudcts not updated!, quantity must be a number between 1 and 999';
}
}
}
于 2013-03-11T14:51:52.860 回答
0

检查您的 php.conf 中是否启用了 register_global。尝试使用以下语法来取消两者:

   if($_SESSION['cart'][$r][0]=="$id") {
     $_SESSION['cart'][$r] = NULL;// this is just to be sure =)
     unset($_SESSION['cart'][$r], $cart[$r]); 

     echo "<div class=success>The item has been removed from your shopping cart.</div>";
     break;
   }
于 2013-03-11T12:35:32.857 回答
0

以下代码有效,也许它会帮助您找到您的问题:

session_start();

$i=0;
$_SESSION['cart'][]=array($i++,'sds',99);
$_SESSION['cart'][]=array($i++,'sds',100);
$_SESSION['cart'][]=array($i++,'sds',20);
$_SESSION['cart'][]=array($i++,'sds',10);

$id = 2;
$count = count($_SESSION['cart']);
for ($r=0;$r<$count;$r++)
{
    echo "num=$r<br>";
    if(isset($_SESSION['cart'][$r]) && $_SESSION['cart'][$r][0]==$id)
    {
        unset($_SESSION['cart'][$r]);
        echo "The item has been removed from your shopping cart.<br>";
        break;
    }
}

session_write_close();
于 2013-03-11T12:41:50.733 回答
0

如前所述,我认为问题与您的数组布局以及您尝试在 for 循环或某些 PHP 设置中检查的内容有关。例如,您是否发起过会话?我可能会转而使用一系列产品参考。使用普通数组很快就会变成一场噩梦,您会在没有任何警告等情况下意外引用错误的对象。使用格式良好的函数名称获取的封装对象有助于避免这种情况。就像是

$cart = array($productId => $quantity, $productId2 => $quantityOfSecondProduct);

然后有一个包含所有产品信息数据的数组

$products = array($product1...);

每个产品的类型

class Product
{
  $productId;
  $productName;
  $productDescription;
  ... etc
}

然后,您将所有数据分开但易于访问,您可以根据产品 ID 轻松删除购物车中的一个或多个条目,但只需引用它并在数量为 0 时删除。

if(($cart[$productId] - $quantityToRemove) <= 0)
  unset($cart[$productId]);
else
  $cart[$productId] -= $quantityToRemove;

请注意,最好从某些数据源填充产品等,我还将整个购物车作为一个具有很好功能的类,并且应该进行更多的错误检查;)

于 2013-03-11T12:42:07.570 回答