5

我正在尝试使用以下代码更新表。如果我更改WHERE temp_booking_id = ':temp_booking_id'");为使用实际的当前会话temp_id,则查询将运行,但会将占位符添加到表中(例如:签出)作为值。

$data持有正确的值,但没有替换占位符。

盯着这个看了好几个小时,我一生都无法弄清楚问题是什么,环顾四周,但没有找到解决方案。

PDOStatement:errorInfo()正在返回

PDOStatement::errorInfo(): 数组 ( [0] => 00000 )

如果我删除占位符周围的逗号,它会返回

PDOStatement::errorInfo(): 数组 ( [0] => HY093 )

有任何想法吗?

try {
  $data = array(
    'temp_booking_id' => $_SESSION['temp_id'],
    'check_in' => $in,
    'check_out' => $out, 
    'adults' => $a,
    'children1' => $c1,
    'children2' => $c2,
    'infants' => $i,
    'cots' => $c,
    'promo_code' => $pc
 );

 $STH = $DBH->prepare("UPDATE b_temp_booking 
   SET check_in = ':check_in',
   check_out = ':check_out',
   adults = ':adults',
   children1 = ':children1',
   children2 = ':children2',
   infants = ':infants',
   cots = ':cots',
   promo_code = ':promo_code' 
   WHERE temp_booking_id = ':temp_booking_id'");

 $STH->execute($data);

 echo "\nPDOStatement::errorInfo():\n";
 $arr = $STH->errorInfo();
 print_r($arr);

} catch(PDOException $e) {
  echo 'ERROR: ' . $e->getMessage();
}
4

1 回答 1

5

嗯,您的 SQL 语句似乎不需要单引号。例如,您可以尝试运行此块:

   $STH = $DBH->prepare("UPDATE b_temp_booking 
   SET check_in = :check_in,
   check_out = :check_out,
   adults = :adults,
   children1 = :children1,
   children2 = :children2,
   infants = :infants,
   cots = :cots,
   promo_code = :promo_code 
   WHERE temp_booking_id = :temp_booking_id");

查看关于 PDO 准备语句的 PHP 手册:http : //www.php.net/manual/en/pdo.prepared-statements.php 在这里看起来命名占位符周围不需要引号。

另外,请尝试按照他们使用 bindParam() 方法的示例进行操作:

$STH->bindParam(':temp_booking_id', $temp_booking_id);

$temp_booking_id = $_SESSION['temp_id']; // Not sure how binding the environment variable will work, so decoupling it.

$STH->bindParam(':check_in', $in);
$STH->bindParam(':check_out', $out); 
$STH->bindParam(':adults', $a);
$STH->bindParam(':children1', $c1);
$STH->bindParam(':children2', $c2);
$STH->bindParam(':infants', $i);
$STH->bindParam(':cots', $c);
$STH->bindParam(':promo_code', $pc);

当您准备好执行时,您可以运行以下行:

$STH->execute();

检查一下,看看绑定参数是否是您正在寻找的。

于 2012-07-04T17:30:56.283 回答