-3

我有这个代码:

if($update[$entity_id])
{
    my $sql = "UPDATE cache SET date = '?', value = '?' WHERE item_id = ? AND level = ? AND type = ?;";
}
else
{
    my $sql = "INSERT INTO cache (date, value, item_id, level, type) VALUES ('?','?',?,?,?);";
}
my $db = $self->{dbh}->prepare(q{$sql}) or die ("unable to prepare");
$db->execute(time2str("%Y-%m-%d %X", time), $stored, $entity_id, 'entity', 'variance');

但是当它想要运行更新时,我得到了这个错误:

DBD::Pg::st 执行失败:当需要 0 时使用 5 个绑定变量调用。

为什么?

4

2 回答 2

6

您正在准备 literal '$sql',但这不是您唯一的问题,词法$sql变量超出了范围 outside {}

尝试,

use strict;
use warnings;
#...

my $sql;
if($update[$entity_id])
{
    $sql = "UPDATE cache SET date = ?, value = ? WHERE item_id = ? AND level = ? AND type = ?";
}
else
{
    $sql = "INSERT INTO cache (date, value, item_id, level, type) VALUES (?,?,?,?,?)";
}
my $st = $self->{dbh}->prepare($sql) or die ("unable to prepare");
$st->execute(time2str("%Y-%m-%d %X", time), $stored, $entity_id, 'entity', 'variance');
于 2013-10-18T17:55:16.957 回答
6

如果你打开了严格和/或警告,你会看到你的问题是什么。

你在写

if (...) {
    my $sql = ...;
} else {
    my $sql = ...;
}
execute($sql);

这意味着您在分支中$sql声明的变量不在范围内,并且您正在尝试执行完全空的 SQL。if

于 2013-10-18T17:56:31.897 回答