Уведомление Laravel не отправлено - PullRequest
0 голосов
/ 20 сентября 2018

Я впервые использую уведомления и застрял на проблеме.Реализовано «Приветственное» уведомление через «почту» и «базу данных».С базой данных все в порядке и работает хорошо.Проблема в «почтовой» части.При запуске уведомления через «ремесленник тинкер» все в порядке, и письмо отправляется (настроено с «log», чтобы записать его в «laravel.log»).При использовании точно такой же строки кода, как в Laravel, записывается строка базы данных, но письмо не отправляется.

Одно слово для тинкера: запись журнала НЕ пишется в тот момент, когда я публикую свой кодкомандная строка, она записывается в журнал, когда я говорю «выйти» в tinker.

Любые мысли, что пошло не так ???

Вот мое уведомление (Welcome.php):

<?php

namespace App\Notifications;

use App\Model\Account;
use App\Model\ClientSettings;
use App\Model\Mailserver;
use App\Model\Mailtemplate;
use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Notifications\Notification;
use Illuminate\Notifications\Messages\MailMessage;

class Welcome extends Notification implements ShouldQueue
{
    use Queueable;

    private $user;
    private $mailserver;
    private $mailmessage;
    private $template;

    /**
     * Create a new notification instance.
     *
     * @param \App\Model\Account    $user
     * @param \App\Model\Mailserver $mailserver
     */
    public function __construct(Account $user, Mailserver $mailserver, Mailtemplate $mailtemplate)
    {
        $this->user = $user;
        $this->mailserver = $mailserver;
        $this->mailmessage = null;
        $this->template = $mailtemplate;
    }

    /**
     * Get the notification's delivery channels.
     *
     * @param  mixed $notifiable
     * @return array
     */
    public function via($notifiable)
    {
        return ['mail', 'database'];
    }

    /**
     * Get the mail representation of the notification.
     *
     * @param  mixed $notifiable
     * @return \Illuminate\Notifications\Messages\MailMessage
     */
    public function toMail($notifiable)
    {
        $clientsettings = ClientSettings::first();
        $maillogo = '';

        if ($clientsettings !== null) {
            $maillogo = $clientsettings->getMaillogo();
        }
       return (new MailMessage)
           ->subject($this->template->subject)
           ->greeting('Very nice Greeting ;)')
           ->salutation($maillogo)
           ->line('Willkommen bei X!')
           ->action('Anmelden', url(config('app.url')))
           ->line('have fun!');
    }

    /**
     * Get the array representation of the notification.
     *
     * @param  mixed $notifiable
     * @return array
     */
    public function toArray($notifiable)
    {
        return [
            'id' => $notifiable->getAttributes()['ac_id'],
            'email' => $notifiable->ac_email,
            'user' => $this->user,
            'mailserver' => $this->mailserver,
            'mailmessage' => ($this->mailmessage !== null) ?: $this->toMail($notifiable),
        ];
    }
}

Команда tinker:

Notification::send(App\User::find(1), new App\Notifications\Welcome(App\Model\Account::first(), App\Model\Mailserver::first(), App\Model\Mailtemplate::first()));

Это код запуска (очень быстрый и грязный)

    public function sendWelcomeNotification(Request $request): JsonResponse
    {
        $this->validator = WelcomeStoreRequest::class;
        $inputData = $request->validate(app($this->validator)->rules());
        $user = Account::findOrFail($inputData['user_id']);
        $server = array_key_exists('server_id', $inputData) ? Mailserver::findOrFail($inputData['server_id']) : Mailserver::first();
        $template = Mailtemplate::where('type', '=', 'WELCOME')->first();
//        $user->notify(new Welcome($user, $server, $template));
        Notification::send($user, new Welcome($user, $server, $template));
        return new JsonResponse([
            'status' => 'ok'
        ]);
    }

Не работает ни один из 2 способов уведомления(

1 Ответ

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

Хорошо, нашел его сам, мне потребовалось несколько минут, чтобы закончить мой лицевой щиток, sry.

Причина была в базе данных "design", так как в таблице учетных записей была запись с "ac_email" и поиск laravelдля "электронной почты".Итак, добавление этого в файл моей модели

public function routeNotificationForMail($notification)
{
    return $this->ac_email;
}

Готово, фокус и электронные письма теперь отправляются.Спасибо всем за помощь;)

...