我正在尝试使用 Fetch API 从表单中检索数据并将其邮寄,但我收到的电子邮件是空的。响应似乎成功,但没有发送任何数据。我做错了什么?
这是我的 JS 代码和我的 php/html 片段(如果相关的话)
(function() {
const submitBtn = document.querySelector('#submit');
submitBtn.addEventListener('click', postData);
function postData(e) {
e.preventDefault();
const first_name = document.querySelector('#name').value;
const email = document.querySelector('#email').value;
const message = document.querySelector('#msg').value;
fetch('process.php', {
method: 'POST',
body: JSON.stringify({first_name:first_name, email:email, message:message})
}).then(function (response) {
console.log(response);
return response.json();
}).then(function(data) {
console.log(data);
// Success
});
}
})();
<!-- begin snippet: js hide: false console: true babel: false -->
<?php
$to = "[email protected]";
$first_name = $_POST['first_name'];
$from = $_POST['email'];
$message = $_POST['message'];
$subject = "Test Email";
$message = $first_name . " sent a message:" . "\n\n" . $message;
$headers = "From:" . $from;
mail($to,$subject,$message,$headers);
?>
<form action="" method="post" class="contact__form form" id="contact-form">
<input type="text" class="form__input" placeholder="Your Name" id="name" name="first_name" required="">
<input type="email" class="form__input" placeholder="Email address" id="email" name="email" required="">
<textarea id="msg" placeholder="Message" class="form__textarea" name="message"/></textarea>
<input class="btn" type="submit" name="submit" value="Send" id="submit"/>
</form>
PHP 不理解 JSON 请求主体。所以当 JSON 文本发送给它时,PHP 不会自动解析 JSON 并将数据放入全局 $_POST 变量中。
此外,当正文只是文本时,
fetch()
将使用默认的 mime text/plain 作为内容类型。因此,即使您将 body
设置为 x-www-form-urlencoded
格式的数据,它也不会将请求标头设置为正确的标头,并且 PHP 也无法正确解析它。
您要么必须手动获取发送的数据并自己解析:
<?php
$dataString = file_get_contents('php://input');
$data = json_decode($dataString);
echo $data->first_name;
以不同的内容类型发送数据,即
application/x-www-form-urlencoded
通过显式设置内容类型标头并传递正确的格式 body
:
fetch('/', {
method: 'POST',
headers:{
"content-type":"application/x-www-form-urlencoded"
},
body: "first_name=name&[email protected]"
})
或者甚至创建一个
FormData
对象并让 fetch 自动检测要使用的正确内容类型:
var data = new FormData();
data.append('first_name','name');
data.append('email','[email protected]');
fetch('/', {
method: 'POST',
body: data
})