「PHP系列」PHP 发送电子邮件详解
在PHP中,可以使用mail()
函数发送电子邮件。但是,为了更好的灵活性和功能,建议使用PHP的PHPMailer
库。以下是使用PHPMailer
发送电子邮件的示例代码:
首先,你需要通过Composer安装PHPMailer
:
composer require phpmailer/phpmailer
然后,你可以使用以下代码发送电子邮件:
<?php
use PHPMailer\PHPMailer\PHPMailer;
use PHPMailer\PHPMailer\Exception;
require 'vendor/autoload.php';
$mail = new PHPMailer(true);
try {
//Server settings
$mail->isSMTP();
$mail->Host = 'smtp.example.com';
$mail->SMTPAuth = true;
$mail->Username = 'user@example.com';
$mail->Password = 'secret';
$mail->SMTPSecure = PHPMailer::ENCRYPTION_SMTPS;
$mail->Port = 465;
//Recipients
$mail->setFrom('from@example.com', 'Mailer');
$mail->addAddress('to@example.com', 'Joe User');
//Content
$mail->isHTML(true);
$mail->Subject = 'Subject';
$mail->Body = 'This is the HTML message body <b>in bold!</b>';
$mail->AltBody = 'This is the body in plain text for non-HTML mail clients';
$mail->send();
echo 'Message has been sent';
} catch (Exception $e) {
echo "Message could not be sent. Mailer Error: {$mail->ErrorInfo}";
}
确保替换smtp.example.com
、user@example.com
、secret
以及收件人邮箱和邮件内容等配置信息。这段代码使用了SMTP协议,并假设你的邮件服务器支持SMTPS(SSL/TLS)。根据你的邮件服务提供商的要求,你可能需要修改这些设置。
评论已关闭