Расположение шаблона проверки электронной почты Laravel - PullRequest
0 голосов
/ 08 сентября 2018

Я читал из документации о новой функции проверки электронной почты laravel. Где я могу найти шаблон электронной почты, который отправляется пользователю? Здесь не отображается: https://laravel.com/docs/5.7/verification#after-verifying-emails

Ответы [ 4 ]

0 голосов
/ 21 апреля 2019

Если уведомление поддерживает отправку в виде электронного письма, вы должны определить метод toMail в классе уведомлений. Этот метод получит объект $ notifiable и должен вернуть экземпляр Illuminate \ Notifications \ Messages \ MailMessage. Почтовые сообщения могут содержать строки текста, а также «призыв к действию».

/**
 * Get the mail representation of the notification.
 *
 * @param  mixed  $notifiable
 * @return \Illuminate\Notifications\Messages\MailMessage
 */
public function toMail($notifiable)
{
    $url = url('/invoice/'.$this->invoice->id);

    return (new MailMessage)
                ->greeting('Hello!')
                ->line('One of your invoices has been paid!')
                ->action('View Invoice', $url)
                ->line('Thank you for using our application!');
}

Вы можете использовать конструктор электронной почты laravel, как описано здесь: https://laravel.com/docs/5.8/notifications#mail-notifications. Laravel позаботится о просмотре электронной почты.

0 голосов
/ 08 сентября 2018

На самом деле они не используют блейд или шаблон, они создают уведомление и пишут для него код в уведомлении.

0 голосов
/ 28 октября 2018

Также, если вы хотите перевести стандартную почту VerifyEmail (или другую, где используется Lang :: fromJson (...)), вам нужно создать новый файл json в ресурсах / lang / и назвать его ru .json, например. Он может содержать текст (resources / lang / ru.json) ниже и должен быть действительным.

{
  "Verify Email Address" : "Подтверждение email адреса"
}
0 голосов
/ 08 сентября 2018

Laravel использует этот метод VerifyEmail класс уведомлений для отправки электронной почты:

public function toMail($notifiable)
{
    if (static::$toMailCallback) {
        return call_user_func(static::$toMailCallback, $notifiable);
    }
    return (new MailMessage)
        ->subject(Lang::getFromJson('Verify Email Address'))
        ->line(Lang::getFromJson('Please click the button below to verify your email address.'))
        ->action(
            Lang::getFromJson('Verify Email Address'),
            $this->verificationUrl($notifiable)
        )
        ->line(Lang::getFromJson('If you did not create an account, no further action is required.'));
}

Метод в исходном коде .

Если вы хотите использовать свой собственный шаблон электронной почты, вы можете расширить базовый класс уведомлений.

1) Создать в app/Notifications/ файл VerifyEmail.php

<?php
namespace App\Notifications;
use Illuminate\Bus\Queueable;
use Illuminate\Notifications\Notification;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Notifications\Messages\MailMessage;
use Illuminate\Support\Carbon;
use Illuminate\Support\Facades\URL;
use Illuminate\Support\Facades\Lang;
use Illuminate\Auth\Notifications\VerifyEmail as VerifyEmailBase;

class VerifyEmail extends VerifyEmailBase
{
//    use Queueable;

    // change as you want
    public function toMail($notifiable)
    {
        if (static::$toMailCallback) {
            return call_user_func(static::$toMailCallback, $notifiable);
        }
        return (new MailMessage)
            ->subject(Lang::getFromJson('Verify Email Address'))
            ->line(Lang::getFromJson('Please click the button below to verify your email address.'))
            ->action(
                Lang::getFromJson('Verify Email Address'),
                $this->verificationUrl($notifiable)
            )
            ->line(Lang::getFromJson('If you did not create an account, no further action is required.'));
    }
}

2) Добавить к модели пользователя:

use App\Notifications\VerifyEmail;

и

/**
 * Send the email verification notification.
 *
 * @return void
 */
public function sendEmailVerificationNotification()
{
    $this->notify(new VerifyEmail); // my notification
}

Также, если вам нужен шаблон лезвия:

laravel создаст все необходимые виды проверки электронной почты когда команда make:auth выполнена. Этот вид помещен в resources/views/auth/verify.blade.php. Вы можете настроить этот вид необходим для вашего приложения.

Источник .

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...