客户端看起来像这样:
var es = new EventSource("http://localhost:8080");
es.addEventListener("message", function(e) {
alert("e.data") //Alerts "" every couple seconds
})
es.addEventListener("error", function(e) {
alert("error") //Also fires every couple of seconds
})
var post_request = new XMLHttpRequest();
post_request.open("POST", "http://localhost:8080");
post_request.setRequestHeader("Content-Type", "text/plain");
post_request.addEventListener("readystatechange", function() {
if (post_request.readyState == 4 && post_request.status == 200) {
alert(post_request.responseText); //This works
}
})
post_request.send("This is a test")
处理POST请求的服务器端Node.js如下所示:
function process_request(request, response) {
var request_body = []
request.on("data", function(chunk) {
request_body.push(chunk)
})
request.on("end", function() {
request_body = Buffer.concat(request_body).toString()+"\n"
response.writeHead(200, {"Access-Control-Allow-Origin": "*",
"Content-Type": "text/event-stream",
"Connection": "keep-alive"
});
response.end("data: " + request_body + "\n");
})
}
如果我从客户端发送POST请求数据,它会按预期返回response.end()
,但es
每隔几秒就会触发一次错误,此外还有{{1}每隔几秒发生一次事件。但是,当触发message
事件时,它会提醒message
,我不确定为什么?任何人都可以帮我弄清楚这种行为吗?
编辑:刚刚检查了""
和es.readyState
事件的message
。 error
上的readyState
为0
,因此似乎可能是断开连接的结果。为什么这种反复断开会发生?为什么重复连接和断开会导致重复的error
事件?
答案 0 :(得分:1)
您正在处理用户的SSE请求,发回一些数据,然后关闭连接。客户端看到连接已丢失,并在几秒钟后重新连接(此重新连接是SSE的一项功能)。
所以,相反,你永远不应该退出。这意味着您需要确保永远不会达到request.on("end", ...
。
以下是我之前使用过的node.js中的基本SSE服务器:
var http = require("http");
var port = parseInt( process.argv[2] || 8080 );
http.createServer(function(request,response){
console.log("Client connected:" + request.url);
response.writeHead(200, { "Content-Type": "text/event-stream" });
var timer = setInterval(function(){
var content = "data:" + new Date().toISOString() + "\n\n";
response.write(content);
}, 1000);
request.connection.on("close", function(){
response.end();
clearInterval(timer);
console.log("Client closed connection. Aborting.");
});
}).listen(port);
console.log("Server running at http://localhost:" + port);
即。我们使用setInterval
继续运行。唯一要监听的事件是客户端关闭连接。