I\'ve got a basic codeset like this (inside a controller):
$sql = \'select * from someLargeTable limit 1000\';
$em = $this->getDoctrine()->getManager();
$c
I just ran into the same problem and wanted to share a possible solution. Chances are your DBAL uses PDO library and its PDO::MYSQL_ATTR_USE_BUFFERED_QUERY
set to true which means all the results in your query are cached on mysql side and buffered into memory by PDO even though you never call $statement->fetchAll()
. To fix this, we just need to set PDO::MYSQL_ATTR_USE_BUFFERED_QUERY
to false but DBAL does not give us a way to do it - its PDO connection class is protected without a public method to retrieve it and it does not give us a way to use setAttribute on the PDO connection.
So, in such situations, I just use my own PDO connection to save memory and speed things up. You can easily instantiate one with your doctrine db parameters like this:
$dbal_conn = $this->getDoctrine()->getManager()->getConnection();
$params = $dbal_conn->getParams();
$pdo_conn = new \PDO(
'mysql:dbname='.$dbal_conn->getDatabase().';unix_socket='.$params['unix_socket'],
$dbal_conn->getUsername(),
$dbal_conn->getPassword()
);
$pdo_conn->setAttribute(PDO::MYSQL_ATTR_USE_BUFFERED_QUERY, false);
I am using unix sockets but IP host addresses can also be easily used.