如何在 PHP PDO 中计算行数
PDO 是 PHP 中访问数据库的行业标准库,缺乏专用的计数方法SELECT 查询返回的行。常见的解决方法是使用 count($results->fetchAll()),但这并不总是最有效的方法。
PDOStatement::rowCount
PDO 语句对象公开 rowCount 方法。不过,根据 PDO 官方文档:
For most databases, PDOStatement::rowCount() does not return the number of rows affected by a SELECT statement. Instead, use PDO::query() to issue a SELECT COUNT(*) statement with the same predicates as your intended SELECT statement, then use PDOStatement::fetchColumn() to retrieve the number of rows that will be returned. Your application can then perform the correct action.
Counting Rows with Existing Recordset
如果你已经获取了数据,你可以使用 count 函数结果数组:
$stmt = $db->prepare('SELECT * FROM table'); $stmt->execute(); $rowCount = count($stmt->fetchAll(PDO::FETCH_ASSOC));
或者,您可以依靠面向对象的遍历并手动计算行数:
$rowCount = 0; while ($row = $stmt->fetch(PDO::FETCH_ASSOC)) { $rowCount++; }
请记住,将所有行提取到内存中可能会影响应用程序性能,特别是对于大型结果集。根据需要考虑分页或其他优化技术。
以上是如何高效地计算 PHP 中 PDO SELECT 语句的行数?的详细内容。更多信息请关注PHP中文网其他相关文章!