Yii - 片段缓存


片段缓存提供网页片段的缓存。

步骤 1 - 将名为actionFragmentCaching()的新函数添加到 SiteController。

public function actionFragmentCaching() {
   $user = new MyUser();
   $user->name = "cached user name";
   $user->email = "cacheduseremail@gmail.com";
   $user->save();
   $models = MyUser::find()->all();
   return $this->render('cachedview', ['models' => $models]);
}

在上面的代码中,我们创建了一个新用户并显示了一个cachedview视图文件。

步骤2 - 现在,在views/site文件夹中创建一个名为cachedview.php的新文件。

<?php if ($this->beginCache('cachedview')) { ?>
   <?php foreach ($models as $model): ?>
      <?= $model->id; ?>
      <?= $model->name; ?>
      <?= $model->email; ?>
      <br/>
   <?php endforeach; ?>
<?php $this->endCache(); } ?>
<?php echo "Count:", \app\models\MyUser::find()->count(); ?>

我们将内容生成逻辑封装在一对 beginCache() 和 endCache() 方法中。如果在缓存中找到内容,则 beginCache() 方法将呈现它。

步骤 3 - 转到 URL http://localhost:8080/index.php?r=site/fragment-caching并重新加载页面。以下将是输出。

片段缓存

请注意,beginCache() 和 endCache() 方法之间的内容被缓存。在数据库中,我们有 13 个用户,但只显示 12 个。

页面缓存

页面缓存提供缓存整个网页的内容。yii\filter\PageCache支持页面缓存。

步骤1 - 修改SiteController的behaviors()函数。

public function behaviors() {
   return [
      'access' => [
         'class' => AccessControl::className(),
         'only' => ['logout'],
         'rules' => [
            [
               'actions' => ['logout'],
               'allow' => true,
               'roles' => ['@'],
            ],
         ],
      ],
      'verbs' => [
         'class' => VerbFilter::className(),
         'actions' => [
            'logout' => ['post'],
         ],
      ],
      [
         'class' => 'yii\filters\PageCache',
         'only' => ['index'],
         'duration' => 60
      ],
   ];
}

上面的代码将索引页缓存 60 秒。

步骤 2 - 转到 URL http://localhost:8080/index.php?r=site/index。然后,修改索引视图文件的祝贺信息。如果重新加载页面,您将不会注意到任何更改,因为页面已被缓存。稍等一下,然后重新加载页面。

页面缓存

HTTP 缓存

Web 应用程序还可以使用客户端缓存。要使用它,您可以为控制器操作配置yii\filter\HttpCache过滤器。

Last-Modified 标头使用时间戳来指示页面是否已被修改。

步骤 1 - 要启用发送 Last-Modified 标头,请配置 yii\filter\HttpCache::$lastModified 属性。

public function behaviors() {
   return [
      [
         'class' => 'yii\filters\HttpCache',
         'only' => ['index'],
         'lastModified' => function ($action, $params) {
            $q = new \yii\db\Query();
            return $q->from('news')->max('created_at');
         },
      ],
   ];
}

在上面的代码中,我们仅为索引页启用了 HTTP 缓存。当浏览器第一次打开索引页面时,该页面在服务器端生成并发送到浏览器。第二次,如果没有创建新闻,服务器将不会重新生成页面。

Etag 标头提供表示页面内容的哈希值。如果页面更改,哈希值也会更改。

步骤 2 - 要启用发送 Etag 标头,请配置yii\filters\HttpCache::$etagSeed属性。

public function behaviors() {
   return [
      [
         'class' => 'yii\filters\HttpCache',
         'only' => ['index'],
         'etagSeed' => function ($action, $params) {
            $user = $this->findModel(\Yii::$app->request->get('id'));
            return serialize([$user->name, $user->email]);
         },
      ],
   ];
}

在上面的代码中,我们仅为索引操作启用了 HTTP 缓存。它应该根据用户的姓名和电子邮件生成 Etag HTTP 标头。当浏览器第一次打开索引页面时,该页面在服务器端生成并发送到浏览器。第二次,如果名称或电子邮件没有更改,服务器将不会重新生成页面。