Symfony 4序列化器:反序列化请求并将其与包含客户端未完全传递的关系的实体合并

问题描述 投票:0回答:1

假设我有一个名为User的实体:

class User implements UserInterface
    /**
     * @ORM\Id()
     * @ORM\GeneratedValue()
     * @ORM\Column(type="integer")
     */
     private $id;

    /**
     * @ORM\Column(type="string", length=255, nullable=false)
     */
     private $username;

     /**
     * @ORM\OneToOne(targetEntity="App\Entity\Address", cascade={"persist", "remove"})
     * @ORM\JoinColumn(nullable=false)
     */
    private $address;

地址字段是与地址实体的OneToOne关系:

class Address
{
    /**
     * @ORM\Id()
     * @ORM\GeneratedValue()
     * @ORM\Column(type="integer")
     */
    private $id;

    /**
     * @ORM\Column(type="string", length=255)
     */
    private $street;

    /**
     * @ORM\Column(type="string", length=255)
     */
    private $name;

而且我有一个用于更新用户及其地址的控制器:

...
 public function putUserSelf(Request $request)
    {
        $em = $this->getDoctrine()->getManager();
        $user = $this->getUser();

        $encoders = array(new JsonEncoder());
        $normalizers = array(new ObjectNormalizer(null, null, null, new ReflectionExtractor()));

        $serializer = new Serializer($normalizers, $encoders);
        $user = $serializer->deserialize($request->getContent(), User::class, "json", ['deep_object_to_populate' => $user]);
        $em->persist($user);
        $em->flush();

理论上,我现在应该可以像这样传递一个json:

{
    "username": "foo",
    "address": {"name": "bar"}
}

更新我的实体。但是问题是,我得到一个SQL错误:

An exception occurred while executing 'INSERT INTO address (street, name) VALUES (?, ?)' with params [null, "bar"]:

SQLSTATE[23000]: Integrity constraint violation: 1048 Column 'street' cannot be null

似乎实体合并无效。

php symfony doctrine entity symfony4
1个回答
0
投票

根据docs

AbstractObjectNormalizer::DEEP_OBJECT_TO_POPULATE选项设置为true时,根OBJECT_TO_POPULATE的现有子代将从规范化数据更新,而不是通过非规范化器重新创建它们。 [...](强调我的)

所以您必须设置一个extra选项,因此您的行应为:

    $user = $serializer->deserialize($request->getContent(), User::class, "json", [
        'object_to_populate' => $user, // this still needs to be set, without the "deep_"
        'deep_object_to_populate' => true,
    ]);

特定组件的源代码中还有一些其他注释:

/**
 * Flag to tell the denormalizer to also populate existing objects on
 * attributes of the main object.
 *
 * Setting this to true is only useful if you also specify the root object
 * in OBJECT_TO_POPULATE.
 */
public const DEEP_OBJECT_TO_POPULATE = 'deep_object_to_populate';

来源:https://github.com/symfony/symfony/blob/d8a026bcadb46c9955beb25fc68080c54f2cbe1a/src/Symfony/Component/Serializer/Normalizer/AbstractObjectNormalizer.php#L82

© www.soinside.com 2019 - 2024. All rights reserved.