如何从序列化的JSON更新Doctrine实体?

时间:2012-01-04 12:06:43

标签: symfony doctrine-orm

我们正在使用Symfony2来创建API。更新记录时,我们希望JSON输入表示序列化更新的实体。 JSON数据将不包含某些字段(例如,创建实体时,CreatedAt只应设置一次 - 并且永远不会更新)。例如,这是一个示例JSON PUT请求:

{"id":"1","name":"anyname","description":"anydescription"}

以下是Controller上的PHP代码,它应该根据上面的JSON更新实体(我们使用的是JMS序列化器Bundle):

$supplier = $serializer->deserialize(
    $this->get('request')->getContent(),
    'WhateverEntity',
    'json'
);

EntityManger(正确地)理解这是一个更新请求(事实上,隐式触发了SELECT查询)。 EntityManager还猜测(不正确)CreatedAt属性应该被NULL化 - 它应该保留前一个属性。

如何解决此问题?

3 个答案:

答案 0 :(得分:14)

使用JMSSerializerBundle按照安装说明进行操作 http://jmsyst.com/bundles/JMSSerializerBundle

创建自己的序列化程序服务或更改JMSSerializerBundle以使用doctrine对象构造函数而不是简单对象构造函数。

<service id="jms_serializer.object_constructor" alias="jms_serializer.doctrine_object_constructor" public="false"/>

这基本上可以处理Ocramius解决方案的功能,但使用JMSSerializerBundles反序列化。

答案 1 :(得分:9)

我会使用Doctrine\ORM\Mapping\ClassMetadata API来发现您实体中的现有字段。 您可以执行以下操作(我不知道JMSSerializerBundle如何工作):

//Unserialize data into $data
$metadata = $em->getMetadataFactory()->getMetadataFor($FQCN);
$id = array();
foreach ($metadata->getIdentifierFieldNames() as $identifier) {
    if (!isset($data[$identifier])) {
        throw new InvalidArgumentException('Missing identifier');
    }
    $id[$identifier] = $data[$identifier];
    unset($data[$identifier]);
}
$entity = $em->find($metadata->getName(), $id);
foreach ($metadata->getFieldNames() as $field) {
    //add necessary checks about field read/write operation feasibility here
    if (isset($data[$field])) {
        //careful! setters are not being called! Inflection is up to you if you need it!
        $metadata->setFieldValue($entity, $field, $data[$field]);
    }
}
$em->flush();

答案 2 :(得分:3)

也可以使用{strong> Symfony序列化程序,使用object_to_populate选项来实现。

示例:我收到JSON请求。如果数据库中存在记录,我想更新正文中收到的字段,如果不存在,我想创建一个新记录。

/**
 * @Route("/{id}", methods={"PUT"})
 */
public function upsert(string $id, Request $request, SerializerInterface $serializer)
{
  $content = $request->getContent(); // Get json from request

  $product = $this->getDoctrine()->getRepository(Product::class)->findOne($id); // Try to find product in database with provided id

  if (!$product) { // If product does not exist, create fresh entity
      $product = new Product();
  }

  $product = $serializer->deserialize(
            $content,
            Product::class,
            'json',
            ['object_to_populate' => $product] // Populate deserialized JSON content into existing/new entity
        );
  // validation, etc...
  $this->getDoctrine()->getManager()->persist($product); // Will produce update/instert statement 
  $this->getDoctrine()->getManager()->flush($product);

// (...)