2

我正在使用带有 FOSRestBundle 和 JMSSerializerBundle 的 Symfony 2.7.9 构建多租户后端。

当通过 API 返回对象时,我想对返回对象的所有 id 进行哈希处理,因此不应该返回{ id: 5 }它,而是应该像{ id: 6uPQF1bVzPA }这样我可以在前端使用哈希后的 id(也许通过使用http://hashids .org )

我正在考虑配置 JMSSerializer 以使用自定义 getter 方法在我的实体上设置虚拟属性(例如“_id”),该方法计算 id 的哈希值,但我无权访问容器/任何服务。

我怎么能正确处理这个?

4

2 回答 2

1

您可以使用 DoctrinepostLoad侦听器生成散列并hashId在您的类中设置属性。然后您可以在序列化程序中调用公开属性,但将其设置serialized_nameid(或者您可以将其保留在hash_id)。

由于散列发生在 int 中,postLoad如果您刚刚创建对象,则需要刷新对象$manager->refresh($entity)才能使其生效。

AppBundle\Doctrine\Listener\HashIdListener

class HashIdListsner
{
    private $hashIdService;

    public function postLoad(LifecycleEventArgs $args)
    {
        $entity = $args->getEntity();
        $reflectionClass = new \ReflectionClass($entity);

        // Only hash the id if the class has a "hashId" property
        if (!$reflectionClass->hasProperty('hashId')) {
            return;
        }

        // Hash the id
        $hashId = $this->hashIdService->encode($entity->getId());

        // Set the property through reflection so no need for a setter
        // that could be used incorrectly in future 
        $property = $reflectionClass->getProperty('hashId');
        $property->setAccessible(true);
        $property->setValue($entity, $hashId);
    }
}

services.yml

services:
    app.doctrine_listsner.hash_id:
        class: AppBundle\Doctrine\Listener\HashIdListener
        arguments:
            # assuming your are using cayetanosoriano/hashids-bundle
            - "@hashids"
        tags:
            - { name: doctrine.event_listener, event: postLoad }

AppBundle\Resources\config\serializer\Entity.User.yml

AppBundle\Entity\User:
    exclusion_policy: ALL
    properties:
        # ...
        hashId:
            expose: true
            serialized_name: id
        # ...
于 2016-01-17T14:32:09.443 回答
1

非常感谢您的详细回答 qooplmao。

但是,我并不特别喜欢这种方法,因为我不打算将散列值存储在实体中。我现在最终订阅了序列化程序的onPostSerialize事件,我可以在其中添加哈希 id,如下所示:

use JMS\Serializer\EventDispatcher\EventSubscriberInterface;
use JMS\Serializer\EventDispatcher\ObjectEvent;
use Symfony\Component\DependencyInjection\ContainerInterface;

class MySubscriber implements EventSubscriberInterface
{
    protected $container;

    public function __construct(ContainerInterface $container)
    {
        $this->container = $container;
    }

    public static function getSubscribedEvents()
    {
        return array(
            array('event' => 'serializer.post_serialize', 'method' => 'onPostSerialize'),
        );
    }

    /**
     * @param ObjectEvent $event
     */    
    public function onPostSerialize(ObjectEvent $event)
    {
        $service = $this->container->get('myservice');
        $event->getVisitor()->addData('_id', $service->hash($event->getObject()->getId()));
    }
}
于 2016-01-18T23:29:19.927 回答