使用原则比较日期时间之间的日期

2022-08-30 18:47:36

我有一个Symfony2应用程序,其中包含一个包含日期字段的表,其类型为DateTime。
我需要获取该字段值现在所在的所有实体。

如果我使用以下代码,我得到0个结果,因为Truction正在比较DateTime对象。

$now = new \DateTime();
data = $entityRepository->findByDate($now);

我只需要比较年,月和日,而不是小时。

我怎样才能做到这一点?


答案 1

我看到这个简单的方法:

$now = new \DateTime();

$data = $entityRepository->getByDate($now);

,然后在您的存储库中

public function getByDate(\Datetime $date)
{
    $from = new \DateTime($date->format("Y-m-d")." 00:00:00");
    $to   = new \DateTime($date->format("Y-m-d")." 23:59:59");

    $qb = $this->createQueryBuilder("e");
    $qb
        ->andWhere('e.date BETWEEN :from AND :to')
        ->setParameter('from', $from )
        ->setParameter('to', $to)
    ;
    $result = $qb->getQuery()->getResult();

    return $result;
}

答案 2

存储库中的方法

public function getDays(\DateTime $firstDateTime, \DateTime $lastDateTime)
{
    $qb = $this->getEntityManager()->createQueryBuilder()
        ->select('c')
        ->from('ProjectBundle:Calendar', 'c')
        ->where('c.date BETWEEN :firstDate AND :lastDate')
        ->setParameter('firstDate', $firstDateTime)
        ->setParameter('lastDate', $lastDateTime)
    ;

    $result = $qb->getQuery()->getResult();

    return $result;
}

和行动

public function calendarAction()
{
    $currentMonthDateTime = new \DateTime();
    $firstDateTime = $currentMonthDateTime->modify('first day of this month');
    $currentMonthDateTime = new \DateTime();
    $lastDateTime = $currentMonthDateTime->modify('last day of this month');

    $days = $this->getDoctrine()
        ->getRepository('ProjectBundle:Calendar')
        ->getDays($firstDateTime, $lastDateTime);

    return ['days' => $days];
}

推荐