0
$output = ob_get_contents();
        ob_end_clean();
        echo json_encode($data);
        ob_start();
        echo $output;

此代码作为 API 从另一台服务器调用,我想将 json 数据发送回该服务器,但我想将 $output 保留在输出缓冲区中,以便稍后将其记录到文件中。json_encode($data);没有发送到请求脚本。我已经尝试了许多变体flush()ob_flush但没有奏效。当我die()在该行之后立即添加时,json_encode($data);它可以工作,但我当时实际上并不想要它die()。我怎样才能解决这个问题?

4

1 回答 1

1

关于什么:

将结果存储在变量中,回显变量,记录变量。无需输出缓冲:

$output = json_encode($data);
echo $output;
log_to_whatever($output);

如果您确实想要输出缓冲,那么您应该在回显之前开始缓冲:

ob_start();
echo json_encode($data);
$output = ob_get_clean(); // Shorthand for get and clean
echo $output;
log_to_whatever($output);

您实际上可以刷新缓冲区(= 将其发送到客户端),而不是清理缓冲区,但仍将其放入变量中。

ob_start();
echo json_encode($data);
$output = ob_get_flush(); // Shorthand for get and flush
// echo $output; This is not needed anymore, because it is already flushed
log_to_whatever($output);

但无论哪种情况,对于简单的第一个解决方案来说,这些似乎都是繁琐的替代方案,至少在您提出的场景中是这样。

于 2017-12-05T16:43:18.990 回答