POST请求空白,为什么?

I have the following code saved as send.php:

<?php
$to_email = "person@gmail.com";
$subject = $_POST['subject'];
$body = "Hi, This is test email send by PHP Script";
$headers = "From: Me@myWebsite.com";

if ( mail($to_email, $subject, $body, $headers)) {
    echo("Email successfully sent to $to_email...");
} else {
    echo("Email sending failed...");
}
?>

The email sends if I navigate to https://myWebsite.com/Stuff/send.php and make $subject = "something"

But if I set $subject to be a POST variable. It does not send the subject when I write this URL in the browser (as in, the email still sends but the subject is now blank):

 https://myWebsite.com/Stuff/send.php?subject=notworking

I've been racking my head with this problem and have been struggling for a couple hours. Anyone know?

To get both $_POST and $_GET you can use $_REQUEST which will work for both.

In your code replace

$subject = $_GET['subject'];

With

$subject = $_REQUEST['subject'];

If someone direct hit the URL in browser without paramter subject you can prevent them using

if(!empty($_REQUEST['subject']))
{
  $to_email = "person@gmail.com";
  $subject = $_REQUEST['subject'];
  $body = "Hi, This is test email send by PHP Script";
  $headers = "From: Me@myWebsite.com";

  if ( mail($to_email, $subject, $body, $headers))
    echo("Email successfully sent to $to_email...");
  else
    echo("Email sending failed...");
}

If you want to extract the values from the URL parameters then you need to use the $_GET global variable to get the data like this,

<?php
$to_email = "person@gmail.com";
$subject = $_GET['subject'];
$body = "Hi, This is test email send by PHP Script";
$headers = "From: Me@myWebsite.com";

if ( mail($to_email, $subject, $body, $headers)) {
    echo("Email successfully sent to $to_email...");
} else {
    echo("Email sending failed...");
}
?>

Try it.

 <?php
    $to_email = "person@gmail.com";
    $subject = (isset($_GET['subject']) && (!empty($_GET['subject']))?$_GET['subject']:"No Subject";
    $body = "Hi, This is test email send by PHP Script";
    $headers = "From: Me@myWebsite.com";

    if ( mail($to_email, $subject, $body, $headers))
        echo("Email successfully sent to $to_email...");
    else
        echo("Email sending failed...");
?>