已编辑
我有一个调用以下php脚本的ajax调用(使用$.ajax()
)。
for ($i=0;$i<40;$i++) {
echo " ";
flush();
if (connection_aborted()) {
log_message('error','CONNECTION IS ABORTED!!!!!');
exit;
}
else {
log_message('error','connection not aborted :(');
}
sleep(1);
}
这可以持续40秒。
如果我关闭触发调用的浏览器窗口,connection_aborted()
仍会返回false,即使我明确发送了一个字符串并刷新了缓冲区!
有人在这里有答案吗?
答案 0 :(得分:5)
您需要添加“ignore_user_abort(true);”在PHP脚本之上,并在回显脚本中的内容后调用“ob_flush()”(为什么看PHP flush() man page)。工作实例(概念证明):
<?php
ignore_user_abort(true);
function log_message($s, $ss) {
$myFile = "log.txt";
$fh = fopen($myFile, 'a') or die("can't open file");
$stringData = $s . ": " . $ss . "\n";
fwrite($fh, $stringData);
fclose($fh);
}
for ($i=0;$i<5;$i++) {
echo "<br>";
//flush();
ob_flush();
if (connection_aborted()) {
log_message('error1', connection_status());
exit;
}
else {
log_message('error2', connection_status());
}
sleep(1);
}
P.S。如果连接仍处于活动状态,connection_status()将返回0,如果关闭,则返回1.
修改强>
我的坏。同时调用flush()和ob_flush()(请阅读flush()手册页,上面的链接和this topic的答案),否则可能不起作用,具体取决于服务器/ php配置。 以下代码在WAMP上使用PHP 5.3.8进行了测试(无需调用flush()),现在使用PHP 5.3.10在Ubuntu上进行测试。在ob_flush()之前调用flush()的地方。
完整的测试代码:
<强>的index.html:强>
<html>
<head>
<script src="http://code.jquery.com/jquery-1.8.0.min.js"></script>
<script>
$(document).ready(function() {
$.ajax({
url: "script.php",
context: document.body
}).done(function(data) {
alert(data);
});
})
</script>
</head>
<body>
</body>
</html>
<强>的script.php:强>
ignore_user_abort(true);
function log_message($type, $message, $file = 'log.txt') {
$fh = fopen($file, 'a') or die("can't open file");
$conn_status = connection_status();
if($conn_status === CONNECTION_NORMAL) {
$status = 'normal';
} elseif($conn_status === CONNECTION_ABORTED) {
$status = 'aborted';
} else {
$status = 'timeout';
}
$aborted = connection_aborted() ? 'yes' : 'no';
$data = $type . ': ' . $message . "\n";
$data .= 'Connection status: ' . $status . "\n";
$data .= 'Aborted: ' . $aborted . "\n\n\n";
fwrite($fh, $data);
fclose($fh);
}
for ($i = 0; $i < 10; $i++) {
echo "<br>";
flush();
ob_flush();
if (connection_aborted()) {
log_message('Error', 'Connection closed by user!');
exit;
}
else {
log_message('Info', 'Everything is fine. Move along...');
}
sleep(1);
}
在调用index.html页面并关闭标签页或整个浏览器后,您应该在log.txt文件中看到下一个信息:
Info: Everything is fine. Move along...
Connection status: normal
Aborted: no
Info: Everything is fine. Move along...
Connection status: normal
Aborted: no
Info: Everything is fine. Move along...
Connection status: normal
Aborted: no
Error: Connection closed by user!
Connection status: aborted
Aborted: yes