5

所以ob_start()应该捕获输出,直到另一个缓冲区函数被调用,如ob_get_clean(), ob_get_contents(), ob_get_flush()

但是,当缓冲区读取器内部抛出异常时,它将通过停止读取器并回显输出而不是继续捕获它来影响读取器。这是我要防止的。

可以说这是我的脚本:

<?php
    error_reporting(0);
    try {
        ob_start();
            echo "I don't wanna output this what so ever, so want to cache it in a variable with using ob_ functions";
            $unlink = unlink('some file that does not exist');
            if(!$unlink) throw new Exception('Something really bad happen.', E_ERROR); //throwing this exception will effect the buffer
        $output = ob_get_clean();
    } catch(Exception $e) {
        echo "<br />Some error occured: " . $e->getMessage();
        //print_r($e);
    }
?>

该脚本将输出:

I don't wanna output this what so ever, so want to cache it in a variable with using ob_ functions
Some error occurred: Something really bad happen.

当它假设只是打印

Some error occurred: Something really bad happen.

我做错了什么,有解决办法吗?

4

3 回答 3

9

我的猜测是,即使在您的 catch 块内,输出缓冲仍然处于活动状态。但是,脚本以活动输出缓冲结束,因此 PHP 会自动显示输​​出缓冲区。

所以你可以尝试ob_clean()在你的异常处理程序中调用。

于 2013-07-14T04:57:41.573 回答
1

你可以这样做:

<?php
    error_reporting(0);
    $currentBuffers = '';
    try {
        ob_start();
        echo "I don't wanna output this what so ever, so want to cache it in a variable with using ob_ functions";
        $unlink = unlink('some file that does not exist');
        if(!$unlink) throw new Exception('Something really bad happen.', E_ERROR); //throwing this exception will effect the buffer
        $output = ob_get_clean();
    } catch(Exception $e) {
        $currentBuffers = ob_get_clean();
        ob_end_clean(); // Let's end and clear ob...
        echo "<br />Some error occured: " . $e->getMessage();
        //print_r($e);
    }

    // Do something to $currentBuffer

    // Maybe start again?
    ob_start();
    echo "foo";
    $currentBuffers .= ob_get_clean();
    //echo $currentBuffers;
        ob_end_clean();
?>
于 2013-07-14T05:17:13.007 回答
0

我知道这是一个老问题,但我想为将来偶然发现它的任何人付出两分钱。

我遇到的问题是,尽管捕获了异常,但缓存没有被清除。无论如何它都被打印出来了。

对我来说,解决方案是添加一个额外的 catch 块来捕获 throwable:

try
{
    ob_start();
        // some stuff
    ob_end_clean(); // or any other function
}
catch (\Throwable $e)
{
    ob_end_clean();
    throw new \Exception($e->getMessage());
} 
catch (\Exception $e)
{
    ob_end_clean();
    throw $e;
}

由于异常是可抛出的,因此第二个 catch 块不是强制性的,但我添加了它以确保

于 2021-11-05T15:49:21.560 回答