Laravel 5.2 : 如何从自己的事件监听器访问请求和会话 类?

Laravel 5.2 : How to access Request & Session Classes from own Event Listener?

Laravel 5.2 中,我添加了我的事件监听器(到 app\Providers\EventServiceProvider.php 中),例如:

protected $listen = [
  'Illuminate\Auth\Events\Login' => ['App\Listeners\UserLoggedIn'],
];

然后生成它:

php artisan event:generate

然后在事件侦听器文件本身中 app/Listeners/UserLoggedIn.php,就像:

<?php

namespace App\Listeners;

use App\Listeners\Request;
use Illuminate\Queue\InteractsWithQueue;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Auth\Events\Login;

class UserLoggedIn
{
    /**
     * Create the event listener.
     *
     * @return void
     */
    public function __construct()
    {

    }

    /**
     * Handle the event.
     *
     * @param  Login  $event
     * @return void
     */
    public function handle(Login $event, Request $request)
    {
        $request->session()->put('test', 'hello world!');
    }
}

这显示了以下错误:

ErrorException in UserLoggedIn.php line 28:
Argument 2 passed to App\Listeners\UserLoggedIn::handle() must be an instance of App\Listeners\Request, none given

我错过了什么,或者我该如何解决这个问题?

谢谢大家

您正在尝试初始化 App\Listeners\Request;,但它应该是 Illuminate\Http\Request。这也可能行不通,因此对于计划 B,请使用此代码:

public function handle(Login $event)
{
    app('request')->session()->put('test', 'hello world!');
}

依赖注入更新:

如果你想在事件中使用依赖注入,你应该像这样通过构造函数注入类:

public function __construct(Request $request)
{
    $this->request = $request;
}

然后在 handle 方法中您可以使用存储在构造函数中的本地请求变量:

public function handle(Login $event)
{
    $this->request->session()->put('test', 'hello world!');
}