我正在尝试为PDO语句的结果编写一个迭代器,但我找不到任何重绕到第一行的方法。我想避免调用fetchAll并存储所有结果数据的开销。
// first loop works fine
foreach($statement as $result) {
// do something with result
}
// but subsequent loops don't
foreach($statement as $result) {
// never called
}
是否有某种方法可以重置声明或寻找第一行?
答案 0 :(得分:10)
我很确定这是依赖于数据库的。因此,您应该尽量避免这种情况。但是,我认为您可以通过启用buffered queries来实现您的目标。如果这不起作用,您始终可以将结果拉入包含fetchAll
的数组。这两种解决方案都会对您的应用程序性能产生影响,因此如果结果集很大,请三思而后行。
答案 1 :(得分:9)
请参阅slide 31 from this presentation,如果它适用于缓冲查询,则可以执行$statement->rewind()
。如果您使用mysql,则可以使用PDO_MYSQL_ATTR_USE_BUFFERED_QUERY
:
$pdo->setAttribute(PDO::MYSQL_ATTR_USE_BUFFERED_QUERY, 1);
@NoahGoodrich指向你。以下是一个始终有效的示例:
$it = new ArrayIterator($stmt->fetchAll());
答案 2 :(得分:9)
我写的这个小班包装了PDOStatement。它仅存储获取的数据。如果这不起作用,您可以移动缓存以读取和写入文件。
// Wrap a PDOStatement to iterate through all result rows. Uses a
// local cache to allow rewinding.
class PDOStatementIterator implements Iterator
{
public
$stmt,
$cache,
$next;
public function __construct($stmt)
{
$this->cache = array();
$this->stmt = $stmt;
}
public function rewind()
{
reset($this->cache);
$this->next();
}
public function valid()
{
return (FALSE !== $this->next);
}
public function current()
{
return $this->next[1];
}
public function key()
{
return $this->next[0];
}
public function next()
{
// Try to get the next element in our data cache.
$this->next = each($this->cache);
// Past the end of the data cache
if (FALSE === $this->next)
{
// Fetch the next row of data
$row = $this->stmt->fetch(PDO::FETCH_ASSOC);
// Fetch successful
if ($row)
{
// Add row to data cache
$this->cache[] = $row;
}
$this->next = each($this->cache);
}
}
}
答案 3 :(得分:1)
您可能希望了解一些可以扩展的PHP SPL类,以提供对象的类似数组的访问。
答案 4 :(得分:1)
很久以前问过,但目前还有另一种解决方案。
方法PDOStatement::fetch()
可以接收第二个参数,即光标方向,其中一个PDO::FETCH_ORI_*
常量。这些参数仅在使用属性PDOStatement
创建PDO::ATTR_CURSOR
为PDO::CURSOR_SCROLL
时才有效。
这样您可以按如下方式导航。
$sql = "Select * From Tabela";
$statement = $db->prepare($sql, array(
PDO::ATTR_CURSOR => PDO::CURSOR_SCROLL,
));
$statement->execute();
$statement->fetch(PDO::FETCH_BOTH, PDO::FETCH_ORI_NEXT); // return next
$statement->fetch(PDO::FETCH_BOTH, PDO::FETCH_ORI_PRIOR); // return previous
$statement->fetch(PDO::FETCH_BOTH, PDO::FETCH_ORI_FIRST); // return first
$statement->fetch(PDO::FETCH_BOTH, PDO::FETCH_ORI_LAST); // return last
$statement->fetch(PDO::FETCH_BOTH, PDO::FETCH_ORI_ABS, $n); // return to $n position
$statement->fetch(PDO::FETCH_BOTH, PDO::FETCH_ORI_REL, $n); // return to $n position relative to current
docs和PDO predefined constants中的详细信息。
注意:使用PDO::FETCH_BOTH
因为是默认值,只需为您的项目自定义它。