问题
I'm using Html5 Server Sent Events. The server side is Java Servlet. I have a json array data wants to pass to server.
var source = new EventSource("../GetPointVal?id=100&jsondata=" + JSON.stringify(data));
If the array size is small , the server side can get the querystring.
But if the array size is big. (maybe over thousands of characters), the server can't get the querystring.
Is it possible to use POST method in new EventSource(...)
to to pass the json array to server that can avoid the querystring length limitation?
回答1:
No, the SSE standard does not allow POST.
(For no technical reason, as far as I've been able to tell - I think it was just that the designers never saw the use cases: it is not just large data, but if you want to do a custom authentication scheme there are security reasons not to put the password in GET data.)
XMLHttpRequest
(i.e. AJAX) does allow POST, so one option is to go back to the older long-poll/comet methods. (My book, Data Push Apps with HTML5 SSE goes into quite some detail about how to do this.)
Another approach is to POST
all the data in beforehand, and store it in an HttpSession
, and then call the SSE process, which can make use of that session data. (SSE does support cookies, so the JSESSIONID
cookie should work fine.)
P.S. The standard doesn't explicitly say POST cannot be used. But, unlike XMLHttpRequest
, there is no parameter to specify the http method to use, and no way to specify the data you want to post.
回答2:
While you cannot use the EventSource
API to do so, there is no technical reason why a server cannot implement for a POST request. The trick is getting the client to send the request. For instance This answer discusses sse.js as a drop in replacement for EventSource
.
回答3:
Alternatively, you can read data from a file that you customize with another php
http://..../command_receiver.php?command=blablabla
command_receiver.php
<?php
$cmd = $_GET['command'];
$fh = fopen("command.txt","w");
fwrite($fh, $cmd);
fclose($fh);
?>
demo2_sse.php
<?php
header('Content-Type: text/event-stream');
header('Cache-Control: no-cache');
//$a = $_GET["what"];
$time = microtime(true); //date('r');
$fa = fopen("command.txt", "r");
$content = fread($fa,filesize("command.txt"));
fclose($fa);
echo "data: [{$content}][{$time}]\n\n";
flush();
?>
and the EventSource is included in an arbitrary named html as follows
<!DOCTYPE html>
<html>
<body>
<h1>Getting server updates</h1>
var source = new EventSource("demo2_sse.php");
source.onmessage = function (event) {
mycommand = event.data.substring(1, event.data.indexOf("]"));
mytime = event.data.substring(event.data.lastIndexOf("[") + 1, event.data.lastIndexOf("]"));
}
</script>
</body>
</html>
来源:https://stackoverflow.com/questions/34261928/server-sent-events-pass-parameter-by-post-method