Is it possible to loop through a query so that if (for example) 500,000 rows are found, it'll return results for the first 10,000 and then rerun the query again?
So, what I want to do is run a query and build an array, like this:
$result = pg_query("SELECT * FROM myTable");
$i = 0;
while($row = pg_fetch_array($result) ) {
$myArray[$i]['id'] = $row['id'];
$myArray[$i]['name'] = $row['name'];
$i++;
}
But, I know that there will be several hundred thousand rows, so I wanted to do it in batches of like 10,000... 1- 9,999 and then 10,000 - 10,999 etc... The reason why is because I keep getting this error:
Fatal error: Allowed memory size of 536870912 bytes exhausted (tried to allocate 3 bytes)
Which, incidentally, I don't understand how 3 bytes could exhaust 512M... So, if that's something that I can just change, that'd be great, although, still might be better to do this in batches?
Those last 3 bytes were the straw that broke the camel's back. Probably an allocation attempt in a long string of allocations leading to the failure.
Unfortunately libpq
will try to fully cache result sets in memory before relinquishing control to the application. This is in addition to whatever memory you are using up in $myArray
.
It has been suggested to use LIMIT ... OFFSET ...
to reduce the memory envelope; this will work, but is inefficient as it could needlessly duplicate server-side sorting effort every time the query is reissued with a different offset (e.g. in order to answer LIMIT 10 OFFSET 10000
, Postgres will still have to sort the entire result set, only to return rows 10000..10010.)
Instead, use DECLARE ... CURSOR
to create a server-side cursor, followed by FETCH FORWARD x
to fetch the next x
rows. Repeat as many times as needed or until less-than-x
rows are returned. Do not forget to CLOSE
the cursor when you are done, even when/if an exception is risen.
Also, do not SELECT *
; if you only need id
and name
, create your cursor FOR SELECT id, name
(otherwise libpq
will needlessly retrieve and cache columns you never use, increasing memory footprint and overall query time.)
Using cursors as illustrated above, libpq
will hold at most x
rows in memory at any one time. However, make sure you also clean up your $myArray
in between FETCH
es if possible or else you could still run out of memory on account of $myArray
.
You can use LIMIT (x)
and OFFSET (y)
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With