在 PHP 中,要配置 SMTP 服務器以發送電子郵件,您可以使用 PHPMailer 庫。首先,確保已經安裝了 PHPMailer:
composer require phpmailer/phpmailer
接下來,創建一個名為 sendmail.php
的文件,并在其中添加以下代碼:
<?php
use PHPMailer\PHPMailer\PHPMailer;
use PHPMailer\PHPMailer\Exception;
require 'vendor/autoload.php';
function sendMail($to, $subject, $body) {
$mail = new PHPMailer(true);
try {
// 服務器設置
$mail->SMTPDebug = 2; // 開啟詳細調試輸出
$mail->isSMTP(); // 設置郵件發送使用 SMTP
$mail->Host = 'smtp_host'; // 設置 SMTP 服務器地址
$mail->SMTPAuth = true; // 開啟使用 SMTP 認證功能
$mail->Username = 'your_email@example.com'; // 設置發送郵件的用戶名
$mail->Password = 'your_email_password'; // 設置發送郵件的密碼
$mail->SMTPSecure = 'tls'; // 設置加密類型
$mail->Port = 587; // 設置 SMTP 服務器端口號
// 發件人設置
$mail->setFrom('your_email@example.com', 'Your Name');
// 收件人設置
$mail->addAddress($to);
// 郵件內容設置
$mail->isHTML(true); // 設置郵件正文格式為 HTML
$mail->Subject = $subject;
$mail->Body = $body;
// 發送郵件
$mail->send();
echo '郵件已成功發送。';
} catch (Exception $e) {
echo "郵件發送失敗。Mailer Error: {$mail->ErrorInfo}";
}
}
請將 smtp_host
、your_email@example.com
、your_email_password
替換為您的 SMTP 服務器地址、電子郵件地址和密碼。您還可以根據需要自定義其他設置,例如端口號、加密類型等。
現在,您可以在需要發送電子郵件的地方調用 sendMail()
函數。例如,在 index.php
文件中:
<?php
require 'sendmail.php';
$to = 'recipient@example.com';
$subject = '測試郵件';
$body = '<h1>這是一封測試郵件。</h1><p>使用 PHPMailer 發送。</p>';
sendMail($to, $subject, $body);
?>
這樣,當您訪問 index.php
時,將發送一封電子郵件到指定的收件人。