отправить письмо с люменом, без указания учетных данных smtp в файле env - PullRequest
0 голосов
/ 21 ноября 2018

Я хочу отправить письмо с люменом,

У меня есть много разных учетных данных smtp, с которых я должен отправить письмо с помощью laravel, оно больше 1000

, поэтому я не могунастроить его из файла env.

Мне нужно каждый раз определять новые учетные данные перед отправкой электронной почты.

, а затем, как передать его в люмен перед отправкой электронной почты

, потому что в люмене sendMail() метод, мы можем передать массив аргументов, а затем, как управлять им.


согласно предложению У меня есть перезаписать код, как показано ниже,

Я использовал приведенный ниже пакет в моем композиторе.json файл,

"illuminate/mail": "^5.2"

Затем запустите команду в командной строке composer update

в файле bootstrap / app.php, зарегистрированном ниже класса,

$app->register('\Illuminate\Mail\MailServiceProvider');

создайте почту.php-файл в папке cofig, как показано ниже,

<?php

return [
    /*
      |--------------------------------------------------------------------------
      | Mail Driver
      |--------------------------------------------------------------------------
      |
      | Laravel supports both SMTP and PHP's "mail" function as drivers for the
      | sending of e-mail. You may specify which one you're using throughout
      | your application here. By default, Laravel is setup for SMTP mail.
      |
      | Supported: "smtp", "sendmail", "mailgun", "mandrill", "ses",
      |            "sparkpost", "log", "array"
      |
     */
    'driver' => env('MAIL_DRIVER', 'smtp'),
    /*
      |--------------------------------------------------------------------------
      | SMTP Host Address
      |--------------------------------------------------------------------------
      |
      | Here you may provide the host address of the SMTP server used by your
      | applications. A default option is provided that is compatible with
      | the Mailgun mail service which will provide reliable deliveries.
      |
     */
    'host' => env('MAIL_HOST', ''),
    /*
      |--------------------------------------------------------------------------
      | SMTP Host Port
      |--------------------------------------------------------------------------
      |
      | This is the SMTP port used by your application to deliver e-mails to
      | users of the application. Like the host we have set this value to
      | stay compatible with the Mailgun e-mail application by default.
      |
     */
    'port' => env('MAIL_PORT', 587),
    /*
      |--------------------------------------------------------------------------
      | Global "From" Address
      |--------------------------------------------------------------------------
      |
      | You may wish for all e-mails sent by your application to be sent from
      | the same address. Here, you may specify a name and address that is
      | used globally for all e-mails that are sent by your application.
      |
     */
    'from' => [
        'address' => env('MAIL_FROM_ADDRESS', ''),
        'name' => env('MAIL_FROM_NAME', ''),
    ],
    /*
      |--------------------------------------------------------------------------
      | E-Mail Encryption Protocol
      |--------------------------------------------------------------------------
      |
      | Here you may specify the encryption protocol that should be used when
      | the application send e-mail messages. A sensible default using the
      | transport layer security protocol should provide great security.
      |
     */
    'encryption' => env('MAIL_ENCRYPTION', 'tls'),
    /*
      |--------------------------------------------------------------------------
      | SMTP Server Username
      |--------------------------------------------------------------------------
      |
      | If your SMTP server requires a username for authentication, you should
      | set it here. This will get used to authenticate with your server on
      | connection. You may also set the "password" value below this one.
      |
     */
    'username' => env('MAIL_USERNAME', ''),
    /*
      |--------------------------------------------------------------------------
      | SMTP Server Password
      |--------------------------------------------------------------------------
      |
      | Here you may set the password required by your SMTP server to send out
      | messages from your application. This will be given to the server on
      | connection so that the application will be able to send messages.
      |
     */
    'password' => env('MAIL_PASSWORD', ''),
    /*
      |--------------------------------------------------------------------------
      | Sendmail System Path
      |--------------------------------------------------------------------------
      |
      | When using the "sendmail" driver to send e-mails, we will need to know
      | the path to where Sendmail lives on this server. A default path has
      | been provided here, which will work well on most of your systems.
      |
     */
    'sendmail' => '/usr/sbin/sendmail -bs',
    /*
      |--------------------------------------------------------------------------
      | Mail "Pretend"
      |--------------------------------------------------------------------------
      |
      | When this option is enabled, e-mail will not actually be sent over the
      | web and will instead be written to your application's logs files so
      | you may inspect the message. This is great for local development.
      |
     */
    'pretend' => false,
    'stream' => [
        'ssl' => [
            'allow_self_signed' => true,
            'verify_peer' => false,
            'verify_peer_name' => false,
        ],
    ],
];

обновите мой файл .env ниже,

MAIL_DRIVER=
MAIL_HOST=
MAIL_PORT=
MAIL_ENCRYPTION=
MAIL_FROM_ADDRESS=
MAIL_FROM_NAME=
MAIL_USERNAME=
MAIL_PASSWORD=

добавьте файл mail.php в файл bootstrap / app.php, как показано ниже,

$app->configure('mail');

создать провайдер для перезаписи метода createSmtpDriver из файла ниже,

vendor\illuminate\mail\TransportManager.php

У меня естьсоздал провайдера, как показано ниже,

<?php

namespace App\Providers;

use Illuminate\Mail\TransportManager;
use Session;

class EmailServiceProvider extends TransportManager
{
    /**
     * Create an instance of the SMTP Swift Transport driver.
     *
     * @return \Swift_SmtpTransport
     */
    protected function createSmtpDriver()
    {
        $config = $this->app['config']['mail'];

        // The Swift SMTP transport instance will allow us to use any SMTP backend
        // for delivering mail such as Sendgrid, Amazon SES, or a custom server
        // a developer has available. We will just pass this configured host.
        $transport = SmtpTransport::newInstance(
            Session::get('smtp_server'), $config['port']
        );

        if (isset($config['encryption'])) {
            $transport->setEncryption($config['encryption']);
        }

        // Once we have the transport we will check for the presence of a username
        // and password. If we have it we will set the credentials on the Swift
        // transporter instance so that we'll properly authenticate delivery.
        if (Session::has('smtp_user') && Session::get('smtp_user')) {
            $transport->setUsername(Session::get('smtp_user'));

            $transport->setPassword(Session::get('smtp_password'));
        }

        if (isset($config['stream'])) {
            $transport->setStreamOptions($config['stream']);
        }

        return $transport;
    }
}

и добавьте этого провайдера в файл bootstrap / app.php, как показано ниже,

$app->register(App\Providers\EmailServiceProvider::class);

отныне во всех методах, это дает мне ошибку, как показано ниже,

ErrorException in Manager.php line 77:
Missing argument 1 for Illuminate\Support\Manager::createDriver(), called in E:\xampp563\htdocs\delrentals-dashboard-api\vendor\illuminate\support\Manager.php on line 87 and defined

Может кто-нибудь дать мне предложение, что я должен сделать, чтобы решить его.

Ответы [ 2 ]

0 голосов
/ 22 ноября 2018

Существует простой способ использовать несколько SMTP.

 public function sendEmails()
{
    $smtps = Stmp::all();
    foreach ($smtps as $smtp)
    {
        config('MAIL_DRIVER', 'smtp');
        config('MAIL_USERNAME', $smtp->username);
        config('MAIL_HOST', $smtp->host);
        config('MAIL_PASSWORD', $smtp->password);
        config('MAIL_PORT', $smtp->port);
        config('MAIL_ENCRYPTION', $smtp->enc);

        //now send mail
        Mail::send('emails.mail', ['data' => $data], function  ($message) use($smtp) {
            $message->to('xyz@gmail.com', 'Tutorials Point')->subject('Laravel');
            $message->from($smtp->from_name, 'Name');
        });
    }
}
0 голосов
/ 21 ноября 2018

Вам необходимо переопределить метод createSmtpDriver внутри пространства имен Illuminate \ Mail \ TransportManager

...