Symfony 2 UniqueEntity repositoryMethod在Update Entity上失败

时间:2013-04-22 13:43:59

标签: php symfony doctrine-orm unique-constraint

我正在研究一些简单的脚本,但无法解决这个问题。 所以就是这样。

/**
 * Booking
 * @ORM\Table()
 * @ORM\Entity(repositoryClass="Tons\BookingBundle\Entity\BookingRepository")
 * @UniqueEntity(fields={"room", "since", "till"}, repositoryMethod="getInterferingRoomBookings")
 * @Assert\Callback(methods={"isSinceLessThanTill"}, groups={"search","default"})
 */
class Booking

和存储库方法

/**
     * Get room state for a certain time period
     *
     * @param array $criteria
     * @return array
     */
    public function getInterferingRoomBookings(array $criteria)
    {
        /** @var $room Room */
        $room = $criteria['room'];
        $builder = $this->getQueryForRoomsBooked($criteria);
        $builder->andWhere("ira.room = :room")->setParameter("room", $room);
        return $builder->getQuery()->getArrayResult();
    }

问题是这适用于创建类似的方法, 但是在更新现有实体时 - 它违反了这种约束。

我尝试添加Id约束,但在创建实体时,id为null,因此存储库方法甚至不启动。 此外,我试图删除实体,然后重新创建它。像

$em->remove($entity);
$em->flush();
//-----------
$em->persist($entity);
$em->flush();

但这也行不通。

创建动作

 /**
     * Creates a new Booking entity.
     *
     * @Route("/create", name="booking_create")
     * @Method("POST")
     * @Template("TonsBookingBundle:Booking:new.html.twig")
     */
    public function createAction(Request $request)
    {
        $entity = new Booking();
        $form = $this->createForm(new BookingType(), $entity);
        $form->bind($request);
        if ($form->isValid())
        {
            $em = $this->getDoctrine()->getManager();
            $room = $entity->getRoom();
            if($room->getLocked() && $room->getLockedBy()->getId() === $this->getUser()->getId())
            {
                $entity->setCreatedAt(new \DateTime());
                $entity->setUpdatedAt(new \DateTime());
                $entity->setManager($this->getUser());

                $em->persist($entity);
                $room->setLocked(false);
                $room->setLockedBy(null);
                $room->setLockedAt(null);
                $em->persist($room);
                $em->flush();
                return $this->redirect($this->generateUrl('booking_show', array('id' => $entity->getId())));
            }
            else
            {
                $form->addError(new FormError("Номер в текущий момент не заблокирован или заблокирован другим менеджером"));
                return array(
                    'entity' => $entity,
                    'form' => $form->createView(),
                );
            }
        }

        return array(
            'entity' => $entity,
            'form' => $form->createView(),
        );
    }

更新行动

 /**
     * Edits an existing Booking entity.
     *
     * @Route("/edit/{id}/save", name="booking_update")
     * @Method("PUT")
     * @Template("TonsBookingBundle:Booking:edit.html.twig")
     */
    public function updateAction(Request $request, $id)
    {
        /** @var $em EntityManager */
        $em = $this->getDoctrine()->getManager();

        $entity = $em->getRepository('TonsBookingBundle:Booking')->find($id);

        if (!$entity) {
            throw $this->createNotFoundException('Unable to find Booking entity.');
        }

        $editForm = $this->createForm(new BookingType(), $entity);
        $editForm->bind($request);

        if ($editForm->isValid()) {
            $em->persist($entity);
            $em->flush();

            return $this->redirect($this->generateUrl('booking_edit', array('id' => $id)));
        }

        return array(
            'entity' => $entity,
            'form' => $editForm->createView(),
        );
    }

3 个答案:

答案 0 :(得分:1)

我得到了这个! 我将注释更改为此

/**
 * Booking
 * @ORM\Table()
 * @ORM\Entity(repositoryClass="Tons\BookingBundle\Entity\BookingRepository")
 * @UniqueEntity(fields={"id","room", "since", "till"}, repositoryMethod="getInterferingRoomBookings")
 * @UniqueEntity(fields={"room", "since", "till"}, repositoryMethod="getInterferingRoomBookings",groups={"create"})
 * @Assert\Callback(methods={"isSinceLessThanTill"}, groups={"search","default"})
 */
class Booking

将BookingType复制到BookingTypeCreate并添加

 public function setDefaultOptions(OptionsResolverInterface $resolver)
    {
        $resolver->setDefaults(array(
            'data_class' => 'Tons\BookingBundle\Entity\Booking',
            'validation_groups' => array('create'),
        ));
    }

形成默认值。所以现在将实体传递给验证方法时参数是不同的。 我认为这仍然是一种解决方法。

答案 1 :(得分:0)

简短回答:您没有将表单数据导入实体,因此您正在使用一个新实体,该实体不知道其表单中已设置了空间。

答案很长:获取表单数据并将其放入实体允许您在更新之前操作数据。见下面修改过的控制器关键是

$entity = form->getData();然后您可以$room=$entity->getRoom();

/**
 * Creates a new Booking entity.
 *
 * @Route("/create", name="booking_create")
 * @Method("POST")
 * @Template("TonsBookingBundle:Booking:new.html.twig")
 */
public function createAction(Request $request)
{
    $entity = new Booking();
    $form = $this->createForm(new BookingType(), $entity);
    $form->bind($request);
$entity = $form->getData();  // Lighthart's addition
    if ($form->isValid())
    {
        $em = $this->getDoctrine()->getManager();
        $room = $entity->getRoom();
        if($room->getLocked() && $room->getLockedBy()->getId() === $this->getUser()->getId())
        {
            $entity->setCreatedAt(new \DateTime());
            $entity->setUpdatedAt(new \DateTime());
            $entity->setManager($this->getUser());

            $em->persist($entity);
            $room->setLocked(false);
            $room->setLockedBy(null);
            $room->setLockedAt(null);
            $em->persist($room);
            $em->flush();
            return $this->redirect($this->generateUrl('booking_show', array('id' => $entity->getId())));
        }
        else
        {
            $form->addError(new FormError("Номер в текущий момент не заблокирован или заблокирован другим менеджером"));
            return array(
                'entity' => $entity,
                'form' => $form->createView(),
            );
        }
    }

    return array(
        'entity' => $entity,
        'form' => $form->createView(),
    );
}

答案 2 :(得分:0)

将另一个标识符(可能是token)传递给唯一的检查字段(例如loginName)(fields={"token", "loginName"})到repositoryMethod。 id本身不起作用,在对象创建时为null,并且不执行repositoryMethod。我在构造函数Method中创建token。需要令牌来标识创建或更新操作时的实体。

/**
  * @ORM\Table(name="anbieterregistrierung")
  * @ORM\Entity(repositoryClass="AnbieterRegistrierungRepository")
  * @UniqueEntity(
  *      fields={"token", "loginName"},
  *      repositoryMethod="findUniqueEntity"
  * )
  */

然后在存储库类中编辑WHERE DQL:

public function findUniqueEntity(array $parameter)
    {
        $loginName = $parameter['loginName'];
        $token = $parameter['token'];
.
.
.
. . . WHERE anbieterregistrierung.loginName = :loginName AND anbieterregistrierung.token <> :token
.
.
.
}