21

您能否建议一种如何SELECT FOR UPDATE使用 Doctrine 实施的方法?

我需要读取一个计数器值,然后在 PHP 代码中使用它,并在其他人(来自另一个进程)使用相同的值之前立即增加该值。

4

3 回答 3

54

显然,Doctrine 2 使用 LOCK IN SHARED MODE 和 MySQL 的悲观读锁,这与 SELECT FOR UPDATE 不同。

查看当前稳定版本的来源,在 Doctrine 中似乎没有这样做的本地方式(我不确定 Doctrine 团队为什么为 MySQL 选择这种类型的锁)。

我使用原生 SQL 作为解决方法,它可以映射到传统实体,就像使用 DQL 一样:

<?php
$rsm = new ResultSetMappingBuilder($this->_em);
$rsm->addRootEntityFromClassMetadata('Model_Record_Delivery', 'u');
$query = $this->_em->createNativeQuery("SELECT * FROM delivery WHERE id = :id FOR UPDATE", $rsm);
$query->setParameter("id", $id);
$result = $query->getOneOrNullResult();

更新

正如本杰明所指出的, PESSIMISTIC_WRITE 就是您要寻找的。

使用 DQL

<?php
$query = $this->em->createQuery('SELECT e
    FROM Application\Model\Entity\MyEntity e
    WHERE e = :id');

$query->setParameter("id", $id);
$query->setLockMode(\Doctrine\DBAL\LockMode::PESSIMISTIC_WRITE);

没有 DQL

<?php
$entity = $em->find('Application\Model\Entity\MyEntity', $id, \Doctrine\DBAL\LockMode::PESSIMISTIC_WRITE);

此外,您必须使用事务中的语句才能使其工作。

于 2013-07-18T11:07:16.823 回答
5

锁定支持

Doctrine 2 实现了对实体的锁定支持:

<?php
use Doctrine\DBAL\LockMode;
use Doctrine\ORM\OptimisticLockException;

$theEntityId = 1;
$expectedVersion = 184;

try {
    $entity = $em->find('User', $theEntityId, LockMode::OPTIMISTIC, $expectedVersion);

    // do the work

    $em->flush();
} catch(OptimisticLockException $e) {
    echo "Someone else has already changed this entity. Apply the changes again!";
}

本机 sql

此外,您可以执行原始 SQL:

$em->getConnection()->exec('LOCK TABLES table_name WRITE;'); //lock for write access

进而

$em->getConnection()->exec('UNLOCK TABLES;');
于 2012-10-21T04:42:02.687 回答
0

警告任何从谷歌来到这里的人。

如果您在现有实体上使用 Doctrine 的 PESSIMISTIC_WRITE 锁,
则锁定后不会重新获取该实体。

所以这段代码:

$entity = $this->em->find(Product::class, $id);
// use the product for some read only code

// Later, Need to update product
$this->em->lock($entity, LockMode::PESSIMISTIC_WRITE);
$entity->setStock($entity->getStock() - 1);
$this->em->flush();

将在 SQL 中运行类似于以下代码的内容

SELECT t0.id AS id_1, t0.stock AS stock_2 FROM products t0 WHERE t0.id = ?; -- First fetch
SELECT 1 FROM products t0 WHERE t0.id = ? FOR UPDATE; -- Pessimistic lock, no data fetched
UPDATE products SET stock = ? WHERE id = ?; -- Update using old data

这与根本不锁定任何东西的结果相同。

您需要在请求锁定的同时再次手动获取实体:

$entity = $this->em->find(Product::class, $id);
// use the product for some read only code

// Need to update product
$this->em->find(Product::class, $entity->getId(), LockMode::PESSIMISTIC_WRITE); // You dont need the return value, doctrine will update all loaded entities
$entity->setStock($entity->getStock() - 1);
$this->em->flush();

这是确保获得锁后,学说将更新其缓存以及实体对象本身的唯一方法。

既不$em->lock(),也$em->refresh()不会在这里工作。

于 2021-02-01T15:01:53.640 回答