2

对于 Symfony 2.1 项目,我正在尝试创建一个新的注释 @Json(),它将注册一个侦听器,该侦听器将在我返回数组时自动创建 JsonResponse 对象。我已经让它工作了,但由于某种原因,总是调用监听器,即使在没有 @Json 注释的方法上也是如此。我假设我的方法有效,因为 Sensio 额外捆绑包使用 @Template 注释执行此操作。

这是我的注释代码。

<?php

namespace Company\Bundle\Annotations;

/**
 * @Annotation
 */
class Json extends \Sensio\Bundle\FrameworkExtraBundle\Configuration\ConfigurationAnnotation
{
    public function getAliasName()
    {
        return 'json';
    }
}

这是我的监听器代码。

<?php

namespace Company\Bundle\Listener\Response\Json;

class JsonListener
{
    //..

    public function onKernelView(GetResponseForControllerResultEvent $event)
    {
        $request = $event->getRequest();
        $data = $event->getControllerResult();

        if(is_array($data) || is_object($data)) {
            if ($request->attributes->get('_json')) {
                $event->setResponse(new JsonResponse($data));
            }
        }
    }
}

这是我对监听器的 yaml 定义。

json.listener:
            class:      Company\Bundle\Listener\Response\Json
            arguments:  [@service_container]
            tags:
                - { name: kernel.event_listener, event: kernel.view, method: onKernelView }

我显然在这里遗漏了一些东西,因为它被注册为 kernel.view 监听器。如何更改它以便仅在控制器操作上存在 @Json() 注释时调用它?

4

1 回答 1

1

不要假装是确定的答案。

我不确定你为什么要扩展ConfigurationAnnotation:它的构造函数接受一个array,但你不需要为你的注解进行任何配置。相反,实施ConfigurationInterface

namespace Company\Bundle\Annotations;

use Sensio\Bundle\FrameworkExtraBundle\Configuration\ConfigurationInterface;

/**
 * @Annotation
 */
class Json implements ConfigurationInterface
{
    public function getAliasName()
    {
        return 'json';
    }

    public function allowArray()
    {
        return false;
    }
}

SensioControllerListener来自 SensionFrameworkExtraBundle 将读取您的注释(将类与方法注释合并)并执行此检查:

if ($configuration instanceof ConfigurationInterface) {
    if ($configuration->allowArray()) {
        $configurations['_'.$configuration->getAliasName()][] = $configuration;
    } else {
        $configurations['_'.$configuration->getAliasName()] = $configuration;
    }
}

设置以 . 为前缀的请求属性_。您正在正确检查_json,因此它应该可以工作。尝试$request->attributes在您的视图事件侦听器中转储。确保您的json.listener服务也正确加载(使用 转储它们php app/console container:debug >> container.txt)。

如果它不起作用,请尝试在此处添加一些调试和打印语句(ControllerListener.php在您的供应商文件夹中查找):

var_dump(array_keys($configurations)); // Should contain _json

请记住在编辑之前对其进行复制,否则 Composer 会在更新依赖项时抛出错误。

于 2013-02-21T11:47:38.937 回答