在php5.2版本的配置中,默認output_buffering為關閉狀態,因此運行下面三行代碼將會出現一個警告:
Warning: Cannot modify header information - headers already sent
echo 'hello1'; header('content-type:text/html;charset=utf-8'); echo 'hello2';
開啟OB緩存的方式有如下兩種:
1. php.ini中開啟 output_buffering = 4096
啟用了此指令,那麼每個PHP腳本都相當於一開始就調用了ob_start()函數,PHP5.5默認已開啟output_buffering = 4096
2. 直接在程序中使用 ob_start();
打開輸出緩沖。當輸出緩沖激活後,腳本將不會輸出內容(除http標頭外),相反需要輸出的內容被存儲在內部緩沖區中。
內部緩沖區的內容可以用 ob_get_contents() 函數復制到一個字符串變量中。 想要輸出存儲在內部緩沖區中的內容,可以使用 ob_end_flush() 函數。另外, 使用 ob_end_clean() 函數會靜默丟棄掉緩沖區的內容。
/** * output_buffering = off 情況下測試 */ ob_start(); //開啟ob緩存 echo 'hello1'; //存入ob緩存 header('content-type:text/html;charset=utf-8');//存入程序緩存 //ob_end_clean(); //清空ob緩存,並關閉ob緩存 echo 'hello2'; //存入ob緩存 $str = ob_get_contents(); //返回ob緩存的數據(不清除緩沖內容) file_put_contents('ob.txt', $str); //把$str保存到文件 //ob_clean(); //清空ob緩存 echo 'hello3'; //存入ob緩存 echo 'hello4'; //存入ob緩存 /* 此腳本將生成ob.txt文件,存入hello1hello2,浏覽器輸出hello1hello2hello3hello4 */ /* 若ob_clean()注釋打開,那麼生成的ob.txt文件中將沒有內容,浏覽器輸出hello3hello4 */ /* 若ob_end_clean()注釋打開,那麼ob.txt中依然沒有內容,因為關閉了ob緩存,浏覽器輸出hello2hello3hello4 */
ob_flush() 與 ob_end_flush() 例子:
ob_start(); echo 'abc';//存入ob緩存 header('content-type:text/html;charset=utf-8'); //存入程序緩存 echo 'hello'; //存入ob緩存 ob_flush();//將ob緩存中的內容輸出到程序緩存,清空ob緩存,不關閉ob緩存 //ob_end_flush() //將ob緩存中的內容輸出到程序緩存,清空ob緩存,關閉ob緩存 echo 'aa'; //存入ob緩存 echo ob_get_contents(); /* 最後輸出abchelloaaaa */ /* 注釋ob_flush,打開ob_end_flush,最後輸出abchelloaa */
注意:
在output_buffering = 4096開啟的情況下,ob_end_clean()只關閉一次ob緩存(即ob_start開啟的),系統的並未關閉。
ob_end_flush()同理。
OB緩存的運行原理/原則:
1. ob緩存打開,echo的數據首先放入ob緩存
2. 如果是header信息,直接放在程序緩存
3. 當頁面執行到最後,會把ob緩存的數據放到程序緩存,然後一次返回給浏覽器
最後還有一個flush(); 強制刷新PHP程序緩存到浏覽器緩存。
特性:一些版本的 Microsoft Internet Explorer 只有當接受到的256個字節以後才開始顯示該頁面,所以必須發送一些額外的空格來讓這些浏覽器顯示頁面內容。
echo str_repeat('', 1024);//重復輸出多個字符(解決浏覽器緩存256字節之後再輸出的情況) for($i=0; $i < 5; $i++) { echo $i; flush(); //強制刷新程序緩存到浏覽器緩存 sleep(1); //休眠1秒鐘,http連接未斷開,每隔1秒輸出$i }