总之:
- 要做的主要改变:重用你的邮件连接,最好是创建消息,所以它只在需要时完成,通常只做一次
- 检查您如何实例化 SwiftMailer 并确认它是最佳方式
- 您的 SwiftMailer 类版本似乎有点旧(4.0.5),您可以查看更新的版本
更详细地说:
实例化对象的重用。您每次都在重新创建邮件传输,从而导致开销。你不应该那样做。如果支持,您可以将 batchSend() 用于大量电子邮件。请参阅此问题中的用法示例。一个应用例子:
$message = Swift_Message::newInstance(...)
->setSubject('A subject')
->setFrom(array('myfrom@domain.com' => 'From Me'))
->setBody('Your message')
;
while(list($targetadd, $targetname) = each($targetlist))
{
$message->addTo($targetadd, $targetname);
}
$message->batchSend();
请注意,虽然 batchSend() 已在 SwiftMailer 的 4.1.0 RC1 中删除。据我所知,它在内部循环调用 send(),因此您应该能够通过多次调用 send() 获得相同的效果,但至少重用您的邮件传输,这样您就不会每次都重新实例化它(如果适用,还创建消息)。
从官方文档的批量发送示例中,您可以使用 send() 来批量发送电子邮件
// Create the Transport
$transport = Swift_SmtpTransport::newInstance('localhost', 25);
// Create the Mailer using your created Transport
$mailer = Swift_Mailer::newInstance($transport);
// Create a message
$message = Swift_Message::newInstance('Wonderful Subject')
->setFrom(array('john@doe.com' => 'John Doe'))
->setBody('Here is the message itself')
;
// Send the message
$failedRecipients = array();
$numSent = 0;
$to = array('receiver@domain.org', 'other@domain.org' => 'A name');
foreach ($to as $address => $name)
{
if (is_int($address)) {
$message->setTo($name);
} else {
$message->setTo(array($address => $name));
}
$numSent += $mailer->send($message, $failedRecipients);
}
传输协议。另一个需要注意的是 SwiftMailer 是一个包装类。它在引擎盖下实际使用的是您定义的内容。在您的情况下,您使用的是 SMTP 传输,它比邮件传输(mail() 函数)更好,但可能不是最佳传输。
您没有说是否明确要使用它以及您拥有哪个环境,但是在 linux 环境中,您可以使用类似的东西直接调用 sendmail
$transport = Swift_SendmailTransport::newInstance('/usr/sbin/sendmail -bs');
这可以提供更好的性能。SwiftMailer 使用文档中有更多关于不同传输的信息。
类版。根据您的评论,您使用的是 4.0.5 版本。当前版本是4.1.8。,并且自从批量发送以来,有些事情已经发生了变化,所以您可能也想检查一下。
编辑:关于 batchSend()、当前版本和手动链接的更新信息。