这是我的index.php

<?php
$app = new \Slim\Slim(
    array(
        'templates.path' => dirname(__FILE__).'/templates'
    )
);

// Add session cookie middle-ware. Shouldn't this create a cookie?
$app->add(new \Slim\Middleware\SessionCookie());

// Add a custom middle-ware
$app->add(new \CustomMiddleware());

$app->get(
    '/',
    function () use ($app) {
        $app->render('Home.php');
    }
);

$app->run();
?>

这是我的定制中间件:
<?php
class CustomMiddleware extends \Slim\Middleware {
    public function call() {
        // This session variable should be saved
        $_SESSION['test'] = 'Hello!';

        $this->next->call();
    }
}
?>

这是我的模板(home.php)
<?php
var_dump($_SESSION['test']);
?>

它将输出空值,因此会话变量不被保存。另外,在导航器中打开cookies列表时,我看不到任何cookies列表。为什么会话的cookie没有保存?我验证并确保执行call()类的SessionCookie函数。

最佳答案

如果在CustomMiddleware之前先添加Slim\Middleware\SessionCookie
像这样的:

require 'Slim/Slim.php';

Slim\Slim::registerAutoloader();

class CustomMiddleware extends Slim\Middleware
{
    public function call() {
        // This session variable should be saved
        $_SESSION['test'] = 'Hello!';

        $this->next->call();
    }
}

$app = new Slim\Slim();

$app->add(new CustomMiddleware());

$app->add(new Slim\Middleware\SessionCookie());

// GET route
$app->get('/', function () use ($app)
{
    $app->render('home.php');
});

$app->run();

以及home.php模板文件:
<?php echo($_SESSION['test']); ?>

对我来说,它是完美的。但如果我在Slim\Middleware\SessionCookie之前添加CustomMiddleware,则$_SESSION['test']的输出将保持NULL
中间件就是这样工作的:
因此,您的响应永远不会得到任何$_SESSION值,因为您在调用$_SESSION之前设置了SessionCookie

09-28 10:31