我目前正在通过切换到PDO来更新我的应用。我有以下代码:
$stmt = $db->prepare("select * from `product` where productid in (:productidLst)");
$stmt->bindParam(":productidLst",$productidLst, PDO::PARAM_INT);
$stmt->execute();
在上面的代码之后var $ productidLst是1,2我想使用相当于此的PDO:
while($rs=mysql_fetch_assoc($res)){
$rs['qty']=$_SESSION['basket'][$rs['productid']];
$rs['total'] += $rs['qty']*$rs['price'];
$total += $rs['total'];
$a[] = $rs;
}
我尝试了很多组合,但没有成功,所以任何帮助都会受到赞赏(在第二个代码块$ res是sql)。其次我已将参数$ productidLst设置为INT这是正确的还是应该是字符串?
--------------------更新1 ------------------------- ---------------------------
我尝试过以下代码:
$stmt = $db->prepare("select * from `product` where productid in (:productidLst)");
foreach ($stmt->execute(array(':productidLst' => $productidLst)) as $row)
{
$total += $row['total'];
}
返回:为foreach()错误提供的参数无效
答案 0 :(得分:16)
PHP手册中的标准文档通常非常有用。在PHP手册PDO Details中有一个用PDO执行for循环的例子。
function getFruit($conn) {
$sql = 'SELECT name, color, calories FROM fruit ORDER BY name';
foreach ($conn->query($sql) as $row) {
print $row['name'] . "\t";
print $row['color'] . "\t";
print $row['calories'] . "\n";
}
}
通过一些更改,可以使用准备好的语句。
function getFruit($conn) {
$query = $conn->prepare('SELECT name, color, calories FROM fruit WHERE kind=:kind ORDER BY name');
$query->execute(array(':kind' => 'drupe'));
// alternatively you could use PDOStatement::fetchAll() and get rid of the loop
// this is dependent upon the design of your app
foreach ($query as $row) {
print $row['name'] . "\t";
print $row['color'] . "\t";
print $row['calories'] . "\n";
}
}
您还可以使用while
循环和PDOStatement::fetch
来获取每一行。
function getFruit($conn) {
$query = $conn->prepare('SELECT name, color, calories FROM fruit WHERE kind=:kind ORDER BY name');
$query->execute(array(':kind' => 'drupe'));
// alternatively you could use PDOStatement::fetchAll() and get rid of the loop
// this is dependent upon the design of your app
while ($row = $query->fetch(PDO::FETCH_ASSOC)) {
print $row['name'] . "\t";
print $row['color'] . "\t";
print $row['calories'] . "\n";
}
}
PHP手册在提供创建后两个版本的所有必要信息方面仍然非常有用。
上一版本的说明:假设$conn
是有效的PDO对象。 $conn->prepare($sql)
如果成功则返回PDOStatement
个对象,失败时返回false
或基于错误处理的异常。因此,假设成功,我们希望实际从对象获取数据。我们可以在循环中使用$query->fetch()
或$query->fetchAll()
来获取取决于您的应用的数据。传入类常量PDO::FETCH_ASSOC
将返回,你猜对了,一个关联的数据数组。
从功能上讲,foreach
和while
实现是等效的。从概念上讲,foreach
更合适,因为while
循环具有循环的内涵,而静态条件成立,而foreach
循环集合的元素。部分内容请阅读“Differences between a while loop and a for loop in PHP?”。
答案 1 :(得分:1)
您应该使用PDOStatement::fetch()
来获取行。它(默认情况下)以数字和关联方式获取。你也可以改变它。
使用您的代码:
while($rs=$stmt->fetch()){
$rs['qty']=$_SESSION['basket'][$rs['productid']];
$rs['total'] += $rs['qty']*$rs['price'];
$total += $rs['total'];
$a[] = $rs;
}
<强> Manual Reference 强>