- How to disable output buffering in PHP
- 6 Answers 6
- tl;dr version
- Longer version
- The output buffer
- The write buffer, and the webserver buffer
- Description
- Как выключить буферизацию вывода php на сервере
- Предупреждение Joomla о включенной буферизации вывода
- Буферизация вывода php: хорошо это или плохо?
- Как отключить буферизацию вывода php на сервере в настройках php.ini
- Как отключить буферизацию вывода php на сервере через .htaccess
- Выводы
- Stop PHP output buffering
- 3 Answers 3
How to disable output buffering in PHP
I wrote a simple relay script that connects to a web camera and reads from the socket, and outputs this data using the print function. The data is MJPG data with boundaries already setup. I just output the data that is read. The problem is PHP seems to be buffering this data. When I set the camera to 1 FPS, the feed will freeze for 7-8 seconds, then quickly display 8 frames. If I set the resolution to a huge size, the camera move at more or less 1 frame per second. I assume then some buffering is happening (since huge sizes fill the buffer quickly, and low sizes don’t), and I can’t figure out how to disable this buffering. Does anyone know how to? Code:
ignore_user_abort(false); $boundary = "myboundary"; //Set this so PHP doesn't timeout during a long stream set_time_limit(0); $socketConn = @fsockopen ("192.168.1.6", 1989, $errno, $errstr, 2); if (!$socketConn) exit(); stream_set_timeout($socketConn, 10); fputs ($socketConn, "GET /mjpeg HTTP/1.0\r\n\r\n"); //Setup Header Information header("Cache-Control: no-cache"); header("Cache-Control: private"); header("Pragma: no-cache"); header("Content-type: multipart/x-mixed-replace; boundary=$boundary"); @ini_set('implicit_flush', 1); for ($i = 0; $i < ob_get_level(); $i++) ob_end_flush(); ob_implicit_flush(1); stream_set_blocking($f2, false); //Send data to client while (connection_status() == CONNECTION_NORMAL) < $chunk = fread($socketConn, 128); print $chunk; >fclose($socketConn);
Show us some relevant code! We can’t guess at what you’re doing. Or rather, we can, but it probably won’t help much.
6 Answers 6
tl;dr version
- Disable the userspace output buffer, either.
- Globally, by either.
- Turning off output_buffering in your php.ini, or
- Turning off output_buffering in your Apache config using
php_flag "output_buffering" Off
- calling ob_end_flush() , or
- calling ob_end_clean()
- calling ob_implicit_flush() at the start of your script, or
- calling flush() after every echo statement or other statement that adds output to the response body
Longer version
Confusingly, there are two layers of buffering that may be relevant and the PHP documentation does a poor job of distinguishing between the two.
The output buffer
The first layer is usually referred to by the PHP docs as the ‘output buffer’. This layer of buffering only affects output to the body of the HTTP response, not the headers. You can turn on output buffering with ob_start() , and turn it off with ob_end_flush() or ob_end_clean() . You can also have all your scripts automatically start with output buffering on using the output_buffering option in php.ini.
The default value of this option for production versions of php.ini is 4096, which means that the first 4096 bytes of output will be buffered in the output buffer, at which point it will be flushed and output buffering is turned off.
You can disable this layer of buffering globally by setting output_buffering to Off in your php.ini file (or using
php_flag "output_buffering" Off
in your Apache config, if you’re using Apache). Alternatively, you can disable it for a single script by calling ob_end_clean() or ob_end_flush() at the start of the script.
The write buffer, and the webserver buffer
Beyond the output buffer is what the PHP manual refers to as the ‘write buffer’, plus any buffering system your web server has. If you’re using PHP with Apache through mod_php , and are not using mod_gzip , you can call flush() to flush these; with other backends, it might work too, although the manual is cagey about giving assurances:
Description
Flushes the write buffers of PHP and whatever backend PHP is using (CGI, a web server, etc). This attempts to push current output all the way to the browser with a few caveats.
flush() may not be able to override the buffering scheme of your web server and it has no effect on any client-side buffering in the browser. It also doesn’t affect PHP’s userspace output buffering mechanism. This means you will have to call both ob_flush() and flush() to flush the ob output buffers if you are using those.
There are also a couple of ways you can make PHP automatically call flush() every time you echo anything (or do anything else that echoes output to the response body).
The first is to call ob_implicit_flush() . Note that this function is deceptively named; given its ob_ prefix, any reasonable person would expect that it would affect the ‘output buffer’, as do ob_start , ob_flush etc. However, this is not the case; ob_implicit_flush() , like flush() , affects the server-level output buffer and does not interact in any way with the output buffer controlled by the other ob_ functions.
The second is to globally enable implicit flushing by setting the implicit_flush flag to On in your php.ini. This is equivalent to calling ob_implicit_flush() at the start of every script. Note that the manual advises against this, cryptically citing «serious performance implications», some of which I explore in this tangentially related answer.
Как выключить буферизацию вывода php на сервере
При работе с прикладным программированием на php для WEB стоит задача не просто обработать какие данные и выдать результат в браузер пользователю, но и по возможностью сделать это максимально быстро и компактно. В этой статье рассмотрим то, как отключить буферизацию вывода php на сервере, если она включена, а для работы скриптов требуется, чтобы она была отключена.
Предупреждение Joomla о включенной буферизации вывода
При установке Joomla 3 на сервер можно заметить не полное совпадение с рекомендациями разработчиков с теми настройками, которые осуществлены на сервере:
Joomla 4 устанавливается с меньшим количеством информации, но и в итоге ругается в админке после установки на то, что буферизация php включена.
Буферизация вывода php: хорошо это или плохо?
Перед тем, как отключить буферизацию вывода php хорошо бы разобраться, хорошо это или плохо, вне зависимости от рекомендаций разработчиков тех или иных CMS’ок. Эти разработчики перестраховываются, рекомендуя то, что 100% обеспечит правильное исполнение их программ, а также того, что будет навешено поверх их стандартного функционала сторонними разработчиками в виде плагинов, модулей и прочих расширений.
Что же такое буферизация вывода php, на что и как она влияет?
При исполнении программы на php генерируются какие данные, которые отправляются в поток стандартного вывода. Это могут быть функции или команды типа echo или print . Если буфера вывода нет, то они сразу передаются на то устройство, которое используется в качестве стандартного устройства вывода. В нашем случае — это выходной порт сервера для передачи ответа на запрос пользователя. Если буферизация вывода включена, то генерируемые данные сперва попадают в промежуточное пространство, где могут накапливаться до того, как быть переданными.
И тут в действие вступает ещё один механизм, используемый при передачи данных по сети — сжатие данных. Если данные не накапливаются, то и сжимать собственно нечего — что прилетело на выходной порт сервера, то и должно быть отправлено. А вот если данные сперва были накоплены в буфер вывода, то их можно предварительно сжать и только после этого отправить.
На самом деле, всё гораздо сложнее, и сервер имеет собственный буфер, который перед отправкой может быть обработан архиватором. А в буфер php может попадать быстро устаревающая информация, которую нужно срочно передать. Так что даже при отключенной буферизации данных вывода, есть шанс получить компактный пакет данных при ответе сервера. А при включенной буферизации вывода, принудительно отдать команду отправить данные из буфера (вне зависимости его наполненности).
Именно поэтому, нет готового ответа на вопрос о том, нужно ли включать или выключить буферизацию вывода php. Но это можно сделать в настройках сервера.
Как отключить буферизацию вывода php на сервере в настройках php.ini
В официальной документации php написано, что по умолчанию буферизация вывода отключена. Однако, по каким-либо причинам она может оказаться включенной. Для того, чтобы её отключить, имея доступ к файлу с настройками php.ini нужно найти строку с output_buffering , если она есть и/или прописать:
Более тонкие настройки буферизации:
Вы можете разрешить буферизацию вывода для всех файлов, установив эту директиву в ‘ On ‘. Если вы хотите ограничить размер буфера до определенного размера, вы можете установить не ‘On’, а максимальное количество байт в этой директиве (например, output_buffering=4096 ). Эта директива всегда отключена в PHP-CLI.
Как отключить буферизацию вывода php на сервере через .htaccess
Если вы пользуетесь сервером Apache и в настройках php разрешено использование директив настроек из файла .htaccess , то вам повезло! Для управления буферизацией вывода php достаточно добавить в этот файл строчку:
php_value output_buffering 0
Выводы
Таким образом, можно отключить буферизацию вывода php на сервере, но как это отразится на работе скриптов и скорости ответа сервера — вопрос не имеющий однозначно правильного ответа, и в каждом отдельном случае кода программы, это может сыграть как в сторону увеличения быстродействия, так и в сторону непредусмотренных ошибок (при включении буферизации, которая может повлечь накопление быстро устаревающих данных или данных, последовательность попадания в буфер является критичной).
Заберите ссылку на статью к себе, чтобы потом легко её найти!
Раз уж досюда дочитали, то может может есть желание рассказать об этом месте своим друзьям, знакомым и просто мимо проходящим?
Не надо себя сдерживать! 😉
Stop PHP output buffering
I need to display continuous output from my php script. The script will stay in a loop of printing log data from a device and sleeping. My problem is that I can’t get PHP or Apache to output data before the script is completed. I have tried all the commands for flushing the output buffer, and I have read through the config-files for both PHP and Apache looking for some type of buffering to disable. Is this possible to do with Apache and PHP on Windows, or should I consider some other platform?
3 Answers 3
The best way (most reliable and clean) to accomplish this is to use a server-side script which does the work, and a client-side AJAX script which will poll another server-side script which will return the status. In the web, data is buffered at different levels, to achieve optimization, and therefore it is difficult to accomplish what you want.
Yeah, I have thought about client polling at regular intervals, but I was trying to avoid unnecessary lag, but I will go for that approach if nothing else is possible.
On the contrary, this should give your client a better performance, not a worse one: if you follow your approach, you are never certain when will the text be output, because it will be dependent on the browser’s implementation. On the contrary with the AJAX approach, if you poll at 1sec interval, you will be sure that the client will be updated each 1 second, which should be good enough for any web user.
Use these flushing the output buffer commands you’ve used already, and throw in an HTML comment, 1024 bytes long. Cause it’s most likely browser issue, not server.
Ahh, looks like you’re looking for the COMET application
PHP’s output_buffering setting is 0 by default (i.e. off), but you’ve no doubt investigated that.
I think @Palantir’s suggestion is probably a good one: write the log entries to a local file, and then serve up that file (or parts thereof) to the client; the client can re-request however often you desire. This also has the advantage of not filling up the browser’s buffer (i.e. you shouldn’t just keep sending log data to the client ad infinitum).
But that wasn’t your question.
Can you reproduce the output buffering problem with a simple script like the following?