0

我需要将所有渲染的内容(布局+视图)保存在一个变量中以使用 Zend_Cache 保存它,我不能使用 Varnish、nginx 或其他软件来这样做。目前我正在这样做:

$view->setTemplate('application/index/index');
$viewContent = $renderer->render($view);
$view = $this->getEvent()->getViewModel();
$view->content = $viewContent;
$content = $renderer->render($view);

谁能建议我更优雅的解决方案?Mb 使用 EventManager 捕获本机渲染事件还是使用 Response 对象或调度事件的一些技巧?想听听所有的建议。

谢谢!

4

1 回答 1

1

Module向您的班级添加两个听众。一个侦听器会尽早检查,就在route匹配是缓存的匹配之后。第二个侦听器等待render并抓取输出以将其存储在缓存中:

namespace MyModule;

use Zend\Mvc\MvcEvent;

class Module
{
    public function onBootstrap(MvcEvent $e)
    {
        // A list of routes to be cached
        $routes = array('foo/bar', 'foo/baz');

        $app = $e->getApplication();
        $em  = $app->getEventManager();
        $sm  = $app->getServiceManager();

        $em->attach(MvcEvent::EVENT_ROUTE, function($e) use ($sm) {
            $route = $e->getRouteMatch()->getMatchedRouteName();
            $cache = $sm->get('cache-service');
            $key   = 'route-cache-' . $route;

            if ($cache->hasItem($key)) {
                // Handle response
                $content  = $cache->getItem($key);

                $response = $e->getResponse();
                $response->setContent($content);

                return $response;
            }
        }, -1000); // Low, then routing has happened

        $em->attach(MvcEvent::EVENT_RENDER, function($e) use ($sm, $routes) {
            $route = $e->getRouteMatch()->getMatchedRouteName();
            if (!in_array($route, $routes)) {
                return;
            }

            $response = $e->getResponse();
            $content  = $response->getContent();

            $cache = $sm->get('cache-service');
            $key   = 'route-cache-' . $route;
            $cache->setItem($key, $content);
        }, -1000); // Late, then rendering has happened
    }
}

只需确保您cache-service在服务管理器中注册了一个缓存实例。您可以更新上面的示例以在渲染事件期间检查路由是否在$routes数组中。现在您只需检查缓存是否有密钥,这可能比在事件in_array($route, $routes)期间执行的操作要慢。render

于 2013-01-23T14:52:51.980 回答