I have no idea how to get the "Hello World!" in PHP for the following Javascript codes.
I know I can use $_POST[''] if the content-type was "application/x-www-form-urlencoded", but not for "text/plain".
var xhr = new XMLHttpRequest();
xhr.open('POST', 'example.php', true);
xhr.setRequestHeader('Content-Type', 'text/plain');
xhr.send('Hello World!');
I have no idea how to get the "Hello World!" in PHP for the following Javascript codes.
I know I can use $_POST[''] if the content-type was "application/x-www-form-urlencoded", but not for "text/plain".
var xhr = new XMLHttpRequest();
xhr.open('POST', 'example.php', true);
xhr.setRequestHeader('Content-Type', 'text/plain');
xhr.send('Hello World!');
Share
Improve this question
edited Sep 13, 2011 at 3:49
abc
asked Sep 13, 2011 at 3:47
abcabc
591 silver badge4 bronze badges
3 Answers
Reset to default 8This PHP will read the raw data from the request body:
$data = file_get_contents('php://input');
Line 3:
xhr.setRequestHeader('Content-Type', 'text/plain');
isn't required as posting plain text will set the content type to text/plain;charset=UTF-8
http://www.w3/TR/XMLHttpRequest/#the-send-method
There are a number of things wrong with your request. You can’t POST data without using application/x-www-form-urlencoded
. Secondly, “Hello World!” isn't escaped or attached to a variable.
Following is the javascript code to POST data to the server.
var xhr = new XMLHttpRequest();
var params = 'x='+encodeURIComponent("Hello World!");
xhr.open("POST", 'example.php', true);
xhr.setRequestHeader("Content-type", "application/x-www-form-urlencoded");
xhr.setRequestHeader("Content-length", params.length);
xhr.setRequestHeader("Connection", "close");
xhr.onreadystatechange = function() {
if(xhr.readyState == 4 && xhr.status == 200) {
alert(xhr.responseText);
}
}
xhr.send(params);
You can access this with $_POST['x']
in PHP.
Alternatively, you use $_GET['x']
by using the following code.
var xhr = new XMLHttpRequest();
var params = encodeURIComponent("Hello World!");
xhr.open("GET", 'example.php?x='+params, true);
xhr.onreadystatechange = function() {
if(xhr.readyState == 4 && xhr.status == 200) {
alert(xhr.responseText);
}
}
xhr.send(null);
GET is more in line with the idea of using Content-type: text/plain
.
You might try http_get_request_body
(http://php/manual/en/function.http-get-request-body.php)