我正在将一些使用 ext/mysql(mysql_*()
函数)的代码转换为 PDO 和准备好的语句。以前,当我动态构造查询时,我只是简单地传递我的字符串mysql_real_escape_string()
并将它们直接放入我的查询中,但现在我发现我需要在执行查询时将值作为数组传递,或者在执行之前绑定变量。
如何转换旧代码以使用新的数据库驱动程序?
将您的查询从 ext/mysql 迁移到 PDO 准备语句需要一种新的方法来处理许多方面。在这里,我将介绍一些经常需要执行的常见任务。这绝不是详尽无遗地匹配所有可能的情况,它只是为了演示在动态生成查询时可以使用的一些技术。
在我们开始之前,有几件事要记住——如果有问题,请在提问之前检查此列表!
mysql_real_escape_string()
. 有关完整说明,请参阅此内容。$_POST
或任何其他来自外部源的数据来指定列名。您应该在使用此数据构建动态查询之前对其进行预处理。$_GET
$_COOKIE
:name
. 传递数据以执行时,相应的数组键可以选择包含前导:
,但这不是必需的。占位符名称应仅包含字母数字字符。下面的所有示例代码都假定已经建立了数据库连接,并且相关的 PDO 实例存储在变量中$db
。
最简单的方法是使用命名占位符。
使用 ext/mysql 可以在构造查询时转义值,并将转义值直接放入查询中。在构造 PDO 准备语句时,我们使用数组键来指定占位符名称,因此我们可以将数组直接传递给PDOStatement::execute()
.
对于此示例,我们有一个包含三个键/值对的数组,其中键表示列名,值表示列的值。我们要选择任何列匹配的所有行(数据具有OR
关系)。
// The array you want to use for your field list
$data = array (
'field1' => 'value1',
'field2' => 'value2',
'field3' => 'value3'
);
// A temporary array to hold the fields in an intermediate state
$whereClause = array();
// Iterate over the data and convert to individual clause elements
foreach ($data as $key => $value) {
$whereClause[] = "`$key` = :$key";
}
// Construct the query
$query = '
SELECT *
FROM `table_name`
WHERE '.implode(' OR ', $whereClause).'
';
// Prepare the query
$stmt = $db->prepare($query);
// Execute the query
$stmt->execute($data);
IN (<value list>)
子句的值列表实现这一点的最简单方法是使用问号占位符。
这里我们有一个包含 5 个字符串的数组,我们想要匹配给定的列名,并返回列值与 5 个数组值中的至少一个匹配的所有行。
// The array of values
$data = array (
'value1',
'value2',
'value3',
'value4',
'value5'
);
// Construct an array of question marks of equal length to the value array
$placeHolders = array_fill(0, count($data), '?');
// Normalise the array so it is 1-indexed
array_unshift($data, '');
unset($data[0]);
// Construct the query
$query = '
SELECT *
FROM `table_name`
WHERE `field` IN ('.implode(', ', $placeHolders).')
';
// Prepare the query
$stmt = $db->prepare($query);
// Execute the query
$stmt->execute($data);
如果您已经确定要使用带有命名占位符的查询,则该技术会稍微复杂一些,但并不复杂。您只需遍历数组即可将其转换为关联数组并构造命名的占位符。
// The array of values
$data = array (
'value1',
'value2',
'value3',
'value4',
'value5'
);
// Temporary arrays to hold the data
$placeHolders = $valueList = array();
// Loop the array and construct the named format
for ($i = 0, $count = count($data); $i < $count; $i++) {
$placeHolders[] = ":list$i";
$valueList["list$i"] = $data[$i];
}
// Construct the query
$query = '
SELECT *
FROM `table_name`
WHERE `field` IN ('.implode(', ', $placeHolders).')
';
// Prepare the query
$stmt = $db->prepare($query);
// Execute the query
$stmt->execute($valueList);