我目前正在通过切换到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()错误提供了无效的参数
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获取每一行。
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
$conn
$conn->prepare($sql)
PDOStatement
false
$query->fetch()
$query->fetchAll()
PDO::FETCH_ASSOC
在功能上,foreach和while实现是等效的。从概念上讲,aforeach更合适,因为while循环具有在静态条件成立时进行循环的含义,而foreach在集合的元素上进行循环。
foreach
请务必阅读PDO上的php.net参考