7

我正在尝试使用日期作为主键来创建实体。问题是 Symfony 无法将我使用的 DateTime 转换为字符串以将其引入 IdentityMap 中。在实体持久化期间出现以下错误:

Catchable Fatal Error: Object of class DateTime could not be converted to string in..

我在实体中使用此代码:

/**
 * @ORM\Id
 * @ORM\Column(type="datetime")
 */
protected $date;

错误出现在实体存储库中:

$em = $this->getEntityManager();
$currentData = new CurrentData();
...
$currentData->setDate(new \DateTime($dateStr));
...
$em->persist($currentData);
$em->flush();

我怎么解决这个问题?谢谢你。

4

3 回答 3

9

一个稳健的解决方案是实现您自己的 DBAL 类型,使用实现了 __toString() 的 DateTime 后代:

<?php
class DateKey extends \DateTime{
    function __toString() {
        return $this->format('c');
    }

    static function fromDateTime(\DateTime $dateTime) {
        return new static($dateTime->format('c'));
    }
}

class DateKeyType extends \Doctrine\DBAL\Types\DateType{
    public function convertToPHPValue($value, \Doctrine\DBAL\Platforms\AbstractPlatform $platform) {
        $value = parent::convertToPHPValue($value, $platform);
        if ($value !== NULL) {
            $value = DateKey::fromDateTime($value);
        }
        return $value;
    }
    public function getName()
    {
        return 'DateKey';
    }
}

\Doctrine\DBAL\Types\Type::addType('datekey', 'DateKeyType');
//edit: do not forget this after creating entity manager.
//otherwise, you will get into problems with doctrine database diff / migrations.
$platform = $entityManager->getConnection()->getDatabasePlatform();
$platform->registerDoctrineTypeMapping('datekey', 'datekey');
$platform->markDoctrineTypeCommented(\Doctrine\DBAL\Types\Type::getType('datekey'));
于 2014-11-25T23:24:49.850 回答
2

我在这里遇到了同样的问题。我通过使用这个来解决它:

/**
 * @var string
 *
 * @ORM\Id
 * @ORM\Column(type="string")
 */
private $date;

/**
 * @return \DateTime
 */
public function getDate()
{
    return \DateTime::createFromFormat('Y-m-d|', $this->date);
}

/**
 * @param \DateTime $date
 */
public function __construct(\DateTime $date)
{
    $this->date = $date->format('Y-m-d');
}

如果您想使用日期时间,您应该使用不同的格式,例如 \DateTime::ISO8601。小心保存带有时区的东西。

于 2014-08-13T14:28:54.920 回答
0

您可能应该只使用正常序列。

但是,如果您必须使用日历信息作为键,您可能希望将其存储为“字符串”类型,然后使用 php 的 DateTime 格式:

 $currentData->setDate(new \DateTime($dateStr)->format('yyyy/mm/dd');

如果您尝试使用日期时间对象作为键,您可能会陷入困境。

于 2013-06-15T17:17:23.857 回答