[Laravel8.16.0] Usersテーブルに最終ログイン時間を記録したい

$ php artisan make:migration add_column_last_login_at_users_table –table=users

migration

public function up()
    {
        Schema::table('users', function (Blueprint $table) {
            //
            $table->timestamp('last_login_at')->nullable()->after('remember_token')->comment('最終ログイン');
        });
    }

$ php artisan migrate

app/Providers/EventServiceProvider.php

    protected $listen = [
        Registered::class => [
            SendEmailVerificationNotification::class,
        ],
        'App\Events\Logined' => [
            'App\Listeners\LastLoginListener',
        ],
    ];

$ php artisan event:generate
app/Listeners/LastLoginListener.php

    public function handle(Logined $event)
    {
        $user = Auth::user();
        $user->last_login_at = Carbon::now();
        $user->save();
    }

### test

use App\Events\Logined;

    public function testForm(){
        event(new Logined());
        return view('admin.test');
    }

$ php artisan serve –host 192.168.33.10 –port 8000
http://192.168.33.10:8000/admin/test/form
mysql> select * from users;

問題は、このevent(new Logined());をどこで仕込むかやな。。。
Laravel8系だとLoginControllerがない。。。。
というか、もっと優先順位が高い事が入ったーーーーーーーーーーー

Laravel 6.xでEventを作成してPusherからメッセージ

### event作成
$ php artisan make:event Test
app/Events/Test.php

class Test implements ShouldBroadcast
{
    use Dispatchable, InteractsWithSockets, SerializesModels;

    /**
     * Create a new event instance.
     *
     * @return void
     */
    public $message;

    public function __construct($message)
    {
        //
        $this->message = $message;
    }

    /**
     * Get the channels the event should broadcast on.
     *
     * @return \Illuminate\Broadcasting\Channel|array
     */
    public function broadcastOn()
    {
        return new Channel('test_channel');
    }

    public function broadcastAs()
    {
        return 'test_event';
    }
}

### config/broadcasting.php

'default' => env('BROADCAST_DRIVER', 'pusher'),
'connections' => [

        'pusher' => [
            'driver' => 'pusher',
            'key' => env('PUSHER_APP_KEY'),
            'secret' => env('PUSHER_APP_SECRET'),
            'app_id' => env('PUSHER_APP_ID'),
            'options' => [
                'cluster' => env('PUSHER_APP_CLUSTER'),
                'useTLS' => true,
            ],
        ],

### web.php

Route::get('/sent', function(){
	event(new \App\Events\Test('テストメッセージ'));
});

Route::get('receive', function(){
return <<<HTML

<!DOCTYPE html>
<head>
	<title>Pusher Test</title>
	<script src="https://js.pusher.com/3.2/pusher.min.js"></script>
	<script>
		Pusher.logToConsole = true;

		var pusher = new Pusher('******************',{
			cluster : 'ap3',
			forceTLS: true
		});

		var pusherChannel = pusher.subscribe('test_channel');

		pusherChannel.bind('test_event', function(data){
			alert(data.message);
		});
	</script>
</head>
HTML;
});

broadcastdriverが初期値のnullのままだと動かないので注意が必要です。

Laravel Event

公式
https://readouble.com/laravel/6.x/ja/events.html
– アプリケーションで発生する様々なイベントを購読し、リッスンする為に使用
– イベントクラスは、app/Eventsディレクトリに格納
– リスナは、app/Listenersディレクトリに保存

## Event利用の流れ
– Event定義
– Eventに対応するListenerを定義
– Eventを仕込む

### 1. app/Providers/EventServiceProvider.php
Eventと対応するListenerを登録する

protected $listen = [
        Registered::class => [
            SendEmailVerificationNotification::class,
        ],
        'App\Events\AccessDetection' => [
            'App\Listeners\AccessDetectionListener',
        ]
    ];

### 2. イベント/リスナ生成
$ php artisan event:generate
※EventServiceProvider.phpで定義していないと、作成されない。

app/Events/AccessDetection.php

public function __construct()
    {
        //
        $this->param = $value;
    }

app/Listeners/AccessDetectionListener.php

public function handle(AccessDetection $event)
    {
        //
        dump('Access Detected param=' . $event->param);
    }

### route

use App\Events\AccessDetection;
Route::get('event', function(){
	event(new AccessDetection(str_random(10)));
	return 'hoge';
})

$ php composer.phar require laravel/helpers
$ php composer.phar require –dev beyondcode/laravel-dump-server

$ php artisan dump-server

Laravel Var Dump Server
=======================

[OK] Server listening on tcp://127.0.0.1:9912

// Quit the server with CONTROL-C.

GET http://192.168.33.10:8000/event
———————————–

———— ——————————————-
date Thu, 06 Feb 2020 12:10:49 +0000
controller “Closure”
source AccessDetectionListener.php on line 30
file app/Listeners/AccessDetectionListener.php
———— ——————————————-

“Access Detected param=oWhPChPRSh”

なるほど、EventServiceProviderでEventを登録し、Eventsで定義したeventsをListenerで受け取り、controller(route)でevent(new ${eventName})と書いて、event発火の流れでしょうか。大まかな流れは理解しました。