18

众所周知,Laravel 5.2 几天前发布了。我正在尝试这个新版本。我在 CLI 上使用以下命令创建了一个新项目:

laravel new testapp

根据Authentication Quickstart 的文档,我按照以下命令搭建路由和身份验证视图:

php artisan make:auth

它工作得很好。注册工作正常。但我在登录时遇到问题。登录后,我在 route.php 文件中测试了以下内容:

   Route::get('/', function () {
    dd( Auth::user());
    return view('welcome');
});

Auth::user()正在返回nullAuth::check()并且Auth::guest()工作不正常。我通过制作新项目一次又一次地尝试了两三次,但无法获得正确的结果。

下面是完整的route.php

    <?php

/*
|--------------------------------------------------------------------------
| Routes File
|--------------------------------------------------------------------------
|
| Here is where you will register all of the routes in an application.
| It's a breeze. Simply tell Laravel the URIs it should respond to
| and give it the controller to call when that URI is requested.
|
*/

Route::get('/', function () {
    dd( Auth::());
    return view('welcome');
});

/*
|--------------------------------------------------------------------------
| Application Routes
|--------------------------------------------------------------------------
|
| This route group applies the "web" middleware group to every route
| it contains. The "web" middleware group is defined in your HTTP
| kernel and includes session state, CSRF protection, and more.
|
*/

Route::group(['middleware' => ['web']], function () {
    //
});

Route::group(['middleware' => 'web'], function () {
    Route::auth();

    Route::get('/home', 'HomeController@index');
});

谁能帮我?或者有人面临同样的问题吗?我该如何解决?

4

1 回答 1

29

Laravel 5.2 引入了中间件组的概念:可以指定一个或多个中间件属于一个组,并且可以将一个中间件组应用于一个或多个路由

默认情况下,Laravel 5.2 定义了一个名为 的组web,用于对中间件处理会话和其他 http 实用程序进行分组:

protected $middlewareGroups = [
'web' => [
    \App\Http\Middleware\EncryptCookies::class,
    \Illuminate\Cookie\Middleware\AddQueuedCookiesToResponse::class,
    \Illuminate\Session\Middleware\StartSession::class,
    \Illuminate\View\Middleware\ShareErrorsFromSession::class,
    \App\Http\Middleware\VerifyCsrfToken::class,
],

所以,如果你想要会话处理,你应该使用这个中间件组来处理你想要使用身份验证的所有路由:

Route::group( [ 'middleware' => ['web'] ], function () 
{
    //this route will use the middleware of the 'web' group, so session and auth will work here         
    Route::get('/', function () {
        dd( Auth::user() );
    });       
});

Laravel 版本更新 >= 5.2.27

在 Laravel5.2.27版本中,所有定义的路由routes.php都默认使用web中间件组。这是在app/Providers/RouteServiceProvider.php

protected function mapWebRoutes(Router $router)
{
    $router->group([
        'namespace' => $this->namespace, 'middleware' => 'web'
    ], function ($router) {
        require app_path('Http/routes.php');
    });
}

因此,您不再需要手动将web中间件组添加到您的路由中。

无论如何,如果您想对路由使用默认身份验证,您仍然需要将auth中间件绑定到路由

于 2015-12-31T15:00:18.540 回答