web-dev-qa-db-ja.com

Laravel 5およびPHPMailer

PHPMailer in Laravel 5?In Laravel 4静かで使いやすいしかし、同じ方法はL5では機能しません。ここでは、L4で行ったことを示します。

composer.jsonに追加:

"phpmailer/phpmailer": "dev-master",

そして、controllerで次のように使用しました:

$mail = new PHPMailer(true);
try {
  $mail->SMTPAuth(...);
  $mail->SMTPSecure(...);
  $mail->Host(...);
  $mail->port(...);

  .
  .
  .

  $mail->MsgHTML($body);
  $mail->Send();
} catch (phpmailerException $e) {
  .
  .
} catch (Exception $e) {
  .
  .
}

ただし、L5では機能しません。何か案が?ありがとう!

13
Sas Sam

まあ、私は考えている複数の間違いがあります...これは、PhpMailerでLaravel 5.でテストしたメールの送信の実例です。

        $mail = new \PHPMailer(true); // notice the \  you have to use root namespace here
    try {
        $mail->isSMTP(); // tell to use smtp
        $mail->CharSet = "utf-8"; // set charset to utf8
        $mail->SMTPAuth = true;  // use smpt auth
        $mail->SMTPSecure = "tls"; // or ssl
        $mail->Host = "yourmailhost";
        $mail->Port = 2525; // most likely something different for you. This is the mailtrap.io port i use for testing. 
        $mail->Username = "username";
        $mail->Password = "password";
        $mail->setFrom("[email protected]", "Firstname Lastname");
        $mail->Subject = "Test";
        $mail->MsgHTML("This is a test");
        $mail->addAddress("[email protected]", "Recipient Name");
        $mail->send();
    } catch (phpmailerException $e) {
        dd($e);
    } catch (Exception $e) {
        dd($e);
    }
    die('success');

そしてもちろん、composer.jsonに依存性を追加した後、composer更新を行う必要があります

ただし、laravel SwiftMailerに組み込まれています。 http://laravel.com/docs/5.0/mail

10
shock_gone_wild

Laravel 5.5以上では、次の手順を実行する必要があります

PHPMailerをlaravelアプリケーションにインストールします。

composer require phpmailer/phpmailer

次に、phpmailerを使用するコントローラーに移動します。

    <?php
namespace App\Http\Controllers;

use PHPMailer\PHPMailer;

class testPHPMailer extends Controller
{
    public function index()
    {
        $text             = 'Hello Mail';
        $mail             = new PHPMailer\PHPMailer(); // create a n
        $mail->SMTPDebug  = 1; // debugging: 1 = errors and messages, 2 = messages only
        $mail->SMTPAuth   = true; // authentication enabled
        $mail->SMTPSecure = 'ssl'; // secure transfer enabled REQUIRED for Gmail
        $mail->Host       = "smtp.gmail.com";
        $mail->Port       = 465; // or 587
        $mail->IsHTML(true);
        $mail->Username = "[email protected]";
        $mail->Password = "testpass";
        $mail->SetFrom("[email protected]", 'Sender Name');
        $mail->Subject = "Test Subject";
        $mail->Body    = $text;
        $mail->AddAddress("[email protected]", "Receiver Name");
        if ($mail->Send()) {
            return 'Email Sended Successfully';
        } else {
            return 'Failed to Send Email';
        }
    }
}
3
NaveenDA